text
stringlengths 0
3.78M
| meta
dict |
---|---|
Eight RIC Track Members Earn High Rankings in New England
Five men and three women from Rhode Island College's track team earned high rankings in their respective events, ncluding freshman Joel Ikuejamofo (Providence RI), who is ranked No. 1 in New England in the 400 meter. He also ranked ninth in the 200m.
Junior Craig Amado (Providence, RI) is ranked second in the triple jump, while senior Shawn Stadnick (Wakefield, RI) is No. 4 in the 800m. Senior Austin Pena (Warwick, RI) is No. 10 in the 600m.
In addition, the men’s 4x400m relay is No. 2, while the 4x800m squad is No. 5.
For the women, sophomore Daria Braboy (Providence, RI) is No. 2 in the 400m and No. 5 in the triple jump. Freshman Jaimee Dorsey (East Greenwich, RI) is ranked No. 1 in the 400m and No. 3 in the 60m dash.
Freshman Autumn Wosencroft (Newport, RI) is No. 10 in the 200m. The 4x400m relay is No. 1, while the 4x200m is No. 5.
Rhode Island College will compete at the Tufts Invitational on Feb. 1 and 2. | {
"pile_set_name": "Pile-CC"
} |
Which is better on Android: divide by 2 or shift by 1? - zdw
https://jakewharton.com/which-is-better-on-android-divide-by-two-or-shift-by-one/
======
anyfoo
Thorough work. Going back to the premise, I want to offer an alternative
viewpoint by asking whether, in the case of binary trees implemented by
arrays, “integer division by 2” of the array index is necessarily the best
interpretation of what you are trying to do here?
Instead, you can also see the array index as a bit string, where every bit
tells you which path to go down, left or right. In that case, “shifting right
by one bit” moves you up to the parent. “Shifting left” moves you down to the
left child. Flipping one bit flips you over to the other child. Bit wise
operations indeed seem more natural with that interpretation.
A lot of “power of 2” multiplication/division has similar interpretations. For
example, when walking page tables, you could see walking down the levels as
“dividing by the size of the granule”, or simply as “shifting right to select
the index on that level”.
No contest on anything where the power of 2 is coincidence, i.e. for non
“computery” things where there is no such underlying structure.
~~~
yiyus
I had a slightly similar experience at work. We deal a lot with angles and
binary angles are often the most efficient representation. Many colleagues
find it annoying because they insist on converting every binary angle to
radian or degrees, but if you actually interpret the bits as successive
divisions of a circumference, I actually find the binary representation way
more intuitive than a floating point number.
~~~
slavik81
That method is exactly equivalent to using revolutions as the unit with a
fixed-point numeric representation. Maybe your skeptical colleagues would find
that perspective more palatable?
~~~
yiyus
That's some good advice. Unfortunately, most of the people I work with do not
have a computer science background (they are materials scientists and
mechanical engineers), so they are not familiarized with fixed-point
arithmetic neither.
------
twoodfin
I appreciate the thorough exploration and resulting detail in this article.
Still, I find it a little sad that either the state of our toolchains or the
perception thereof prevent it from being self-evident that basic strength
reduction will always happen, and developers need not worry about the cost of
expressing simple arithmetic operations in the clearest way.
~~~
bsder
I would go further in that many programmers don't understand the difference
between logical and arithmetic operations and why they exist.
I have had to puzzle over far too much code doing
adds/subtracts/multiplies/divides instead of and/or/xor/shift _FAR_ too often.
I blame Java not having an unsigned type. There are apparently some weird
tricks you can do with arithmetic in Java that operate on things like an
unsigned type without having to go up to the next higher integer width.
~~~
vbezhenar
What exactly do you miss in Java? It's possible to treat int as unsigned for
all the necessary operations.
~~~
blibble
plus Java's had various unsigned integer operations on Integer for years
------
lgessler
Question from a perf noob: it seems like this in principle only shows that
there's no difference for a Pixel 3 because other Android machines could have
processors that have/lack an optimization for shift or divide. Couldn't a
different Android phone have different performance characteristics?
~~~
lgg
It is not that the processor that contains an optimization per se. The thing
to understand is that shift is fundamentally a simpler operation than
multiply... a shift can be implemented with a few transistors per bit and done
in a single cycle trivially. A multiply unit takes tons of transistors, and
often takes multiple cycles (this is a trade off you make when you design a
multiply unit, you can save space by making it work on smaller integers and
reusing it multiple times over several cycles to do multiplies of larger
integers, just you like you iteratively multiply digits one you do it on paper
by hand). Even on processors that have single cycle multipliers it takes a lot
more power to do a multiply than a shift because of all the extra hardware you
need to engage.
Since shifts are fundamentally simpler than multiplies it always makes sense
to do this transform. This is one of a number of transforms that are generally
called "strength reductions"
<[https://en.wikipedia.org/wiki/Strength_reduction>](https://en.wikipedia.org/wiki/Strength_reduction>),
converting for a more general expensive operation into a more constrained
cheaper operation. In this case it is the equivalent to knowing that if you
want to multiply a number by 10 you can just add a 0 at the beginning instead
of having to write all the work by hand.
The only reason not to do this transform would be if you had a CPU that
literally does not have a shift operation, but I cannot think of any such
part. Even if you did have such a part, the odds are you could emulate a shift
using other other instructions and still outperform the multiply.
This has been a standard optimization for half a century. The original C
compiler for the PDP-11 did these transforms even when you turned off
optimizations
<[http://c-faq.com/misc/shifts.html>](http://c-faq.com/misc/shifts.html>).
~~~
cogman10
> This has been a standard optimization for half a century. The original C
> compiler for the PDP-11 did these transforms even when you turned off
> optimizations
Consider this, a common easily applied optimization that compilers have been
doing for half a century MAY have made it's way into modern CPUs.
Transistors aren't nearly as power hungry as you paint them and CPUs aren't
nearly as bad at optimization. There is no reason to switch a multiply or
divide for a shift. The ONLY reason to make that switch is if you are dealing
with the simplest of processors (Such as a microwave processors). If you are
using anything developed in the last 10 years that consumes more than 1W of
power, chances are really high that the you aren't saving any power by using
shifts instead of multiples. It is the sort of micro-optimization that
fundamentally misunderstands how modern CPUs actually work and over estimates
how much power or space transistors actually need.
~~~
reitzensteinm
Since it's what I'm typing this on, let's look at Skylake.
Multiply: Latency 3, Throughput 1 Shift: Latency 1, Throughput 2
If the ALU contained an early out or fast path for simpler multiplies, the
latency would read 1-3. You can verify this by looking at div, which does
early out and has a latency of 35-88.
Any compiler that doesn't swap a multiply to a shift when it can is negligent.
[https://www.agner.org/optimize/instruction_tables.pdf](https://www.agner.org/optimize/instruction_tables.pdf)
------
necovek
I am really struggling to understand the benchmark output quoted.
Can anyone elaborate what does benchmark=3/4 ns mean, and the count? Is the
set-up part of the benchmark (test structure suggest not, but just to make
sure)?
The only way I can read it is that 4000 divisions takes 4ns, and 4000 shift-
rights takes 3ns, but that only has 1 digit of precision, which makes it
unusable for comparison, but even then suggests a 25%/33% difference, which is
not insignificant.
Also, the VM seems to optimise multiply out, so it must be doing it for a
reason.
~~~
thechao
It's definitely not 4000 divisions per 4ns — that'd imply a terahertz
computer. I think it's saying that the amortized cost of 4000 divisions is 4ns
per division. Small integer division is an "easy win" for a dedicated HW path,
so it doesn't surprise me that it's only a little slower than a shift-right.
Variable length right shifts aren't that fast.
~~~
bonzini
It's not small integer division that is being benchmarked, the JIT compiler
has reduced it to an addition, a conditional move and a right shift. This
sequence is then benchmarked against the right shift.
~~~
saagarjha
ART is an AOT complier, is it not?
~~~
monocasa
It's both AOT and JIT.
[https://source.android.com/devices/tech/dalvik/jit-
compiler](https://source.android.com/devices/tech/dalvik/jit-compiler)
~~~
pjmlp
With a PGO cache updated across execution runs and devices (since Android 10
PGO data is shared across the Play Store).
~~~
ignoramous
For anyone like me wondering what a PGO is:
[https://source.android.com/devices/tech/perf/pgo](https://source.android.com/devices/tech/perf/pgo)
------
MithrilTuxedo
Now I'm wondering if there's a power usage difference between the two.
It stands to reason that if two operations take the same amount of time, but
one requires more transistors to compute, power usage should diverge.
~~~
wmf
For scalar instructions, most of the energy is consumed in scheduling not
executing them. This means that cycles is a good proxy for total energy.
------
saurik
Everyone is talking about this microoptimization on the math of the access but
all I can think about is how the data structure you are building using this is
probably memory bandwidth limited and powers-of-two storage is almost
definitely going to cause some kind of cache line aliasing, so maybe you
should try something non-obvious like "division by 3" (after doing three key
comparisons instead of one) and see if it makes your algorithm much much
faster than messing around with a division by 2; there was even some good
analysis of this effect a while back I can reference.
[https://pvk.ca/Blog/2012/07/30/binary-search-is-a-
pathologic...](https://pvk.ca/Blog/2012/07/30/binary-search-is-a-pathological-
case-for-caches/)
------
sambe
Am I mis-reading this? The article keeps claiming there is no difference but
the way I read it the compiler(s) are transforming mul/div to shifts. i.e. it
very likely _is_ faster on the hardware but it won't matter for this
particular toolchain because of the conversion.
~~~
chrisseaton
> Am I mis-reading this? The article keeps claiming there is no difference but
> the way I read it the compiler(s) are transforming mul/div to shifts. i.e.
> it very likely is faster on the hardware but it won't matter for this
> particular toolchain because of the conversion.
There is no difference... because of the conversion.
~~~
sambe
Right: for now, in certain situations, on the tested toolchain.
Even ignoring those caveats, several commentators seem to have got the
impression that this applies to the CPU.
~~~
uluyol
These types of transformations are simple to detect, well known, and applied
by ~every compiler.
Unless you have evidence otherwise (ASM differences or benchmarks), there is
no use in manually transforming your arithmetic into something more complex
but faster. The compiler will do it for you.
~~~
sambe
I think that's a point which is bordering on religious - many people would
debate trusting the compiler, especially over time and more complex
situations.
I'd certainly tend to agree with you in general but more for the reason that
the compiler can abstract over hardware changes across time. I'd take that
benefit over the risk of the optimisation not being applied for most code I
write - non-optimisations would be considered bugs and probably/eventually
fixed.
I'd strongly disagree the code is more complex (in this case).
~~~
merlincorey
It especially seems religious to me because it's saying that somehow "/ 2" is
simpler than ">> 1" because it has one less character for the symbol, and
because division is a more commonly known operator to most people than bitwise
shifting.
It seems to me that they are equally simple if we assume that programmers
dealing with low level or performance intensive code know what a bitwise shift
is and ignore the extra character, then they are literally equivalently
complicated expressions with 1 symbol and 1 value applied to the symbol.
~~~
kadoban
Code does not happen in a vacuum. Which is more understandable/simple depends
on the domain of the code in question. Usually that's going to be the multiply
or the divide.
~~~
merlincorey
Right, but my statement was that the domain would be low level or performance
intensive code -- do you disagree that in that domain they are equally simple?
------
remcob
Another fast way to double a number is to add it to itself.
~~~
fyp
Isn't that the wrong direction for the optimization? I would assume you would
want to compile adding two numbers into shifting by one, not the other way
around.
(I know nothing about hardware, it just intuitively seems like moving a bunch
of bits over by 1 should be faster than dealing with xor and carries)
~~~
jcranmer
In hardware terms, adders are simpler than shifters. You can usually do both
in a single cycle, but it's going to be lower power to do the add instead of
the shift.
To put this in more concrete terms: an N-bit adder involves N 1-bit stages to
add each bit, and then a 1-bit carry network on top of that, which has N
stages in it. So overall, it's O(N) in terms of hardware. An N-bit shift unit
is going to use lg N N-bit muxes--or O(N lg N) in terms of hardware. Total
gate delay in both cases is O(lg N), but adders have O(N) hardware (and thus
energy consumption) while shifters have O(N lg N).
A secondary consequence of being larger area is that a superscalar
architecture may choose to have one execution unit that has an adder and a
shifter and a second that only has the adder. So an addition may schedule
better than a shift, since there are more things it can execute on.
~~~
Tuna-Fish
> To put this in more concrete terms: an N-bit adder involves N 1-bit stages
> to add each bit, and then a 1-bit carry network on top of that, which has N
> stages in it. So overall, it's O(N) in terms of hardware.
O(N) adders cannot meet the latency demands of modern high-frequency CPUs. The
actual complexity of adders in real CPUs is usually O(N²).
------
Animats
He did this in Java? In one case, running on an emulator? That's removed too
far from the hardware for this kind of benchmarking. Try in a hard-compiled
language.
Using shifts for constant divide has been a compiler code generator
optimization for decades. This is not something programmers have needed to
worry about in source code for a long time, unless targeting some small
microcontroller that lacks fast divide hardware.
~~~
pjmlp
Java is a hard-compiled language on Android since version 5.0.
ART, which replaced Dalvik on 5.0 (available as experimental on 4.4), was AOT
only up to version 7.0.
As it was proven that Android users lack the patience of a C++ developer when
updating their apps, Google adopted another approach with version 7.0.
A multi-tier compiler infrastructure, composed by a very fast interpreter hand
written in Assembly for fast startup, a JIT compiler for the first
optimization level, with gathering of PGO data, then the AOT compiler runs in
the background and when the device is idle gets that PGO data and just like a
C++ compiler with PGO data, outputs a clean AOT compiled binary for the usual
user workflow.
In case of an update or changes in the workflow that trigger the execution of
code that wasn't AOT compiled, the process restarts.
As means to reduce this kind of de-optimizations, since Android 10 those PGO
files are uploaded into the Play Store and when a user installs an application
that already has PGO data available, it is downloaded alongside the APK and
the AOT compiler can do its job right from the start.
In any case, he used _dex2aot_ which is the AOT compiler daemon on Android.
Microsoft has gone through similar process with .NET for UWP, with the main
difference that the AOT compiler lives on the Microsoft store and what gets
downloaded is already straight binary code.
Apparently mixing language capabilities with toolchains keeps being an issue.
------
renewiltord
How come the division is almost the same as the shifting? Is the CPU
pipelining the operations between iterations of the loop or something? There
is a direct data-dependency in those operations but not between iterations so
perhaps that's it?
AFAIK there's no fused add-shift op that could be used.
------
esnellman
Given the number of execution loops. The profiler applied an optimization.
Don't expect this optimization during initial executions or seldom used code
or cases where properties of the method do not allow it to be optimized; be it
on Android VMs or JVMs.
------
pacman83
Apart from the fact that compilers are really good and generally will choose
the best option for you, it seems like it boils down to what processor is
used. On Android aren't ARM processors the most common?
~~~
pjmlp
Yes, followed by some Intel and MIPS survivors.
------
jejones3141
If it's signed int, unless you know the value is positive you can't just shift
right 1--if the result of the shift is negative, you have to add 1.
~~~
chrisseaton
Can't you do an arithmetic shift-right? That takes the sign into account.
~~~
jcranmer
No. An arithmetic shift right does a division that rounds down; an integer
division operation instead truncates (rounds to zero). The easiest example is
-1 / 2: -1 / 2 is 0, but -1 ashr 1 is -1.
To replace a signed division with ashr, you have to know that for all negative
inputs, the value of the bits shifted out are all 0.
------
Too
I thought this discussion was settled 30 years ago?
Write what you want to do, not how to do it. There is no difference.
------
nicetryguy
...So the Dalvik VM sucks?
~~~
pjmlp
Yes it sucks, that is why it was replaced by ART on Android 5.0.
~~~
nicetryguy
Ah, i haven't kept up. Anyway, a right bit shift should absolutely be quicker
than floating point or even integer division. If it isn't, that is an
implementation problem.
~~~
pjmlp
ART as of Android 10, combines an hand written interpreter in Assembly, a JIT
compiler that generates PGO data as well, and an AOT PGO based optimizing
compiler capable of doing bounds check elision, de-virtualization, auto-
vectorization, escape analysis and a couple of other traditional
optimizations.
The PGO metadata files also get shared across devices via the Play Store as
means to steer the AOT compiler into the optimal level of optimization across
all users of the application.
I assume that at the current level of ongoing ART optimizations, the team
would consider that a compiler bug.
~~~
nicetryguy
Awesome info! Thanks!
What would you recommend for an IDE? I used Eclipse some years ago. Is that
still common?
I may want to experiment with some Android flavored Java again.
~~~
pjmlp
Android Studio is the official IDE, it is a merge of InteliJ with Clion and
Google specific plugins.
------
madhato
Is there an advantage of using multiply by .5 versus divide by 2?
~~~
fox8091
Multiply by 0.5 would be slower, as it's a floating point operation rather
than simple arithmetic.
------
nipxx
if these kinds of optimizations make a difference for your applications write
it in native code, dammitl
~~~
pjmlp
Which pretty much means Assembly, given that Java and Koltin go through JVM
and DEX bytecodes to machine code, and C and C++ on Android go through LLVM
bitcode to machine code.
------
temac
TLDR: it is the same, like it should.
We are in 2020. Don't shift by 1 instead of /2 if you mean to /2.
~~~
OrgNet
lol... if you care about optimizing, you should care about all possible
optimizations... (even if most of today's platforms don't)
~~~
temac
Yeah but you should also then understand what will yield real results, and >>1
instead of /2 has become useless to write manually a long time ago, whereas
e.g. continuous memory is more important than ever. You will not optimize a
lot by attempting micro techniques from 30 years ago.
Other random example: in some edge cases, integer division replacement by a
multiplication _can_ still be relevant today (depends on if its a constant,
the compiler, and if nothing optimized also on the exact processor, though,
because last models are already ultra-fast with the real integer divide
instructions), but I suspect in 15 years (maybe even 10) this will be
completely irrelevant, at least for high perf targets.
------
drivebycomment
News at 11 - someone learned strength reduction exists, which have been in use
for the past 4 decades.
~~~
anyfoo
Had you read the article, you would have known that the question answered here
was whether, and where in the process, strength reduction was actually
applied.
------
fefe23
A few points.
1\. Looking at the Java bytecode is practically meaningless, you would have to
look at the machine code the JIT is creating.
2\. A division by 2 is identical to a shift right by 1 only if the integer is
unsigned. Java integers are signed. Try this program in C to see for yourself:
int foo(int a) { return a/2; } int bar(int a) { return a>>1; }
Run gcc -S -O2 to get assembly output in text form.
Basically, the problem is this:
5/2 -> 2 (ok, rounds down)
5>>1 -> 2 (ok, same)
-5/2 -> -2 (ok, rounds down)
-5>>1 -> -3 (oops!)
3\. The question is really about the JIT backend for the target platform,
which means CPU platform, not OS platform. So "on Android" does not make much
sense here, as Android exists for x86 and ARM and those JIT backends might
behave differently.
~~~
anyfoo
All things directly addressed by the article.
------
devit
Honestly, it's hard to read this article and not question the author's mental
state or intelligence.
He literally presents x86 and ARM assembly dumps where shift right generates
one instruction, and divide generates that same instruction plus several
others.
Then, he feels the need to run an unnecessary benchmark (most likely screwing
it up somehow) and concludes there is no difference!
But how can there possibly be no performance difference, in general, between
the CPU running an ALU instruction and running that same instruction plus
several other ALU instructions?!?
It's almost unbelievable.
As to how he screwed up the benchmark, my guesses are that either he failed to
inline the function (and the CPU is really bad), or failed to prevent the
optimizer from optimizing the whole loop, or didn't run enough iterations, or
perhaps he ran the benchmark on a different VM than what produced the assembly
(or maybe somehow the CPU can extract instruction level parallelism in this
microbenchmark, but obviously that doesn't generalize to arbitrary code).
~~~
brianyu8
While I think that there is merit to your argument, I feel like it could have
been presented without questioning the author's intelligence or mental state.
| {
"pile_set_name": "HackerNews"
} |
RISSC LONDON TWITTER:
Premier League action on Tuesday night…04/12/2018
Shane Duffy was dismissed for violent conduct just twenty eight minutes into his club Brighton & Hove Albion’s three one victory over visitors Crystal Palace in the Premier League this Tuesday evening. Declan Rice was in his customary midfield position for West Ham United who defeated visitors Cardiff City and Harry Arter by three goals to one at the London Stadium. Injury ruled Greg Cunningham out of the visiting ‘Bluebirds’ side. | {
"pile_set_name": "Pile-CC"
} |
Awesome red beer socks. He got the beer part from stalking me, but red is my favorite color, and that had to have been an accidedent. | {
"pile_set_name": "OpenWebText2"
} |
I concur. | {
"pile_set_name": "Enron Emails"
} |
Isolation and preliminary characterization of a novel Helicobacter species from swine.
To determine whether a Helicobacter sp similar to Helicobacter pylori in the stomachs of humans could be isolated from the stomachs of pigs. 4 young conventionally reared and 21 gnotobiotic pigs. Gastric mucosal homogenates (10% wt/vol) from 4 young conventionally reared pigs were cultured on Skirrow medium under microaerophilic conditions to assess the presence of Helicobacter spp. Colonies with morphologic features compatible with Helicobacter organisms were selected, tested for urease activity, and subpassaged on Skirrow medium. Isolates were examined via SDS-PAGE electrophoresis and reciprocal western blot analyses involving convalescent sera from monoinfected gnotobiotic pigs. Urease- and catalase-positive, gram-negative, microaerophilic, small, curved rod bacteria were isolated from the gastric mucosa of young healthy pigs. The first isolate (2662) was structurally and immunologically closely related to H pylori isolated from humans. The second isolate (1268) displayed an SDS-PAGE profile dissimilar to that of H pylori and isolate 2662, yet it shared limited immunologic cross-reactivity with these microbes. Findings of this study indicate that development of gastric mucosal ulcers and ulceration of the nonglandular pars esophagea in pigs may be associated with gastric colonization by swine-origin Helicobacter spp, which are similar to H pylori isolated from humans. | {
"pile_set_name": "PubMed Abstracts"
} |
Analysis of the domain structure of elongation factor-2 kinase by mutagenesis.
A number of elongation factor-2 kinase (eEF-2K) mutants were constructed to investigate features of this kinase that may be important in its activity. Typical protein kinases possess a highly conserved lysine residue in subdomain II which follows the GXGXXG motif of subdomain I. Mutation of two lysine residues, K340 and K346, which follow the GXGXXG motif in eEF-2K had no effect on activity, showing that such a lysine residue is not important in eEF-2K activity. Mutation of a conserved pair of cysteine residues C-terminal to the GXGXXG sequence, however, completely inactivated eEF-2K. The eEF-2K CaM binding domain was localised to residues 77-99 which reside N-terminal to the catalytic domain. Tryptophan 84 is an important residue within this domain as mutation of this residue completely abolishes CaM binding and eEF-2K activity. Removal of approximately 130 residues from the C-terminus of eEF-2K completely abolished autokinase activity; however, removal of only 19 residues inhibited eEF-2 kinase activity but not autokinase activity, suggesting that a short region at the C-terminal end may be important in interacting with eEF-2. Likewise, removal of between 75 and 100 residues from the N-terminal end completely abolished eEF-2K activity. | {
"pile_set_name": "PubMed Abstracts"
} |
>> Sreenivasan: WHEN WE THINK OF
THE SOURCE OF CARBON DIOXIDE
EMISSIONS THAT CONTRIBUTE TO
CLIMATE CHANGE, TRANSPORTATION
AND INDUSTRY ARE LIKELY THE
FIRST THINGS THAT COME TO MIND.
IN REALITY, 40% OF THOSE
EMISSIONS IN THE U.S. STEM FROM
THE ENERGY USED TO HEAT, COOL,
LIGHT, AND POWER OUR BUILDINGS.
BUT A NEW RESIDENTIAL
DEVELOPMENT IN FLORIDA IS TRYING
TO SHOW THERE'S A DIFFERENT WAY.
THIS STORY IS PART OF OUR
ONGOING SERIES "PERIL AND
PROMISE-- THE CHALLENGE OF
CLIMATE CHANGE."
IT TOOK THE LOCAL UTILITY
COMPANY MORE THAN A YEAR TO
BUILD THIS 440 ACRE SOLAR ARRAY
IN SOUTHWEST FLORIDA.
>> IT'S ONE OF THE LARGEST IF
NOT THE LARGEST IN THE STATE.
BUT MORE IMPORTANTLY IT POWERS,
IT POWERS THE TOWN OF BABCOCK
RANCH.
>> Sreenivasan: SYD KITSON ONCE
PLAYED FOOTBALL FOR THE GREEN
BAY PACKERS AND DALLAS COWBOYS.
NOW A DEVELOPER, KITSON IS THE
MASTERMIND BEHIND BABCOCK RANCH,
AN 18-ACRE PLANNED COMMUNITY.
AT ITS PEAK, KITSON SAYS THE
DEVELOPMENT WILL HAVE CLOSE TO
20,000 HOMES, ALL POWERED BY THE
SUN.
>> THE IDEA FOR US FROM THE
BEGINNING WAS TO CREATE THE MOST
ENVIRONMENTALLY RESPONSIBLE, THE
MOST SUSTAINABLE NEW TOWN THAT
HAD EVER BEEN DEVELOPED.
>> Sreenivasan: IN 2006,
KITSON'S REAL ESTATE COMPANY
BOUGHT 91,000 ACRES OF LAND,
THEN SOLD 80% OF IT TO THE STATE
OF FLORIDA TO BE PRESERVED
FOREVER.
THE COMPANY IS USING THE
REMAINING PROPERTY, MOSTLY
FORMER FARM AND ROCK MINING LAND
TO CREATE BABCOCK RANCH.
THAT INCLUDES MORE THAN 8,000
ACRES FOR GREEN SPACE.
THE FIRST RESIDENTS MOVED IN IN
JANUARY.
THE HOPE IS THAT BY 2040,
BABCOCK RANCH WILL BE HOME TO
50,000 PEOPLE.
AND DEMONSTRATE THAT GOING GREEN
IS GOOD BUSINESS.
>> IT JUST SEEMED LIKE A GREAT
OPPORTUNITY TO PROVE THAT YOU
CAN DO IT THE RIGHT WAY.
THAT YOU CAN PRESERVE LAND, THAT
PRESERVATION AND DEVELOPMENT CAN
WORK HAND IN HAND.
>> Sreenivasan: BUT THE AMBITION
GOES BEYOND SOLAR POWER AND
PRESERVATION.
THE GOAL IS FOR BABCOCK RANCH TO
BE A MODEL OF SUSTAINABILITY.
THE DEVELOPMENT REQUIRES ALL THE
HOMES AND COMMERCIAL BUILDINGS
TO BE CERTIFIED GREEN BY THE
FLORIDA GREEN BUILDING
COALITION.
>> BUILDERS WERE LIKE, "REALLY?
YOU WANT ME TO DO WHAT?
THAT'S GOING TO BLOW MY BUDGET."
>> Sreenivasan: JENNIFER
LANGUELL IS A SUSTAINABLE DESIGN
CONSULTANT HIRED BY KITSON'S
FIRM.
SHE WORKS WITH THE BUILDERS AT
BABCOCK RANCH, STEERING THEM
TOWARDS ENVIRONMENTALLY FRIENDLY
BUILDING TECHNIQUES AND
MATERIALS.
>> SO WHY I WANTED TO GET YOU
GUYS OUT HERE TO THIS HOUSE IN
PARTICULAR, WAS BECAUSE IT'S
KIND OF THIS HOUSE IN HIS
UNDERPANTS STAGE AND SO WE CAN
KIND OF SEE WHAT'S BEHIND THOSE
WALLS.
>> Sreenivasan: SHE POINTS TO
INSULATION IN THE ROOF, FOAM IN
THE CONCRETE WALLS, AND EVEN THE
THICKNESS OF WINDOWS.
ALL OF THESE COMPONENTS ARE
SPECIFICALLY SELECTED TO
OPTIMIZE ENERGY EFFICIENCY.
>> WE'RE LOOKING AT ABOUT A 27%
ENERGY REDUCTION OVER FLORIDA
ENERGY CODE AND THAT'S ABOUT A
40 TO 42% ENERGY REDUCTION OVER
THE NATIONAL AVERAGE.
>> I WANTED THE SMALLEST
POSSIBLE HOME.
>> Sreenivasan: RICHARD AND
ROBIN KINLEY WERE THE VERY FIRST
RESIDENTS OF BABCOCK RANCH.
THE SEMI-RETIRED COUPLE MOVED
HERE IN JANUARY FROM THE ATLANTA
AREA TO ESCAPE THE CONGESTION OF
THE CITY AND LEAD A MORE ECO-
FRIENDLY LIFE.
>> I GREW UP ON THE EAST COAST
OF FLORIDA AND I SAW HOMES JUST
KIND OF THROWN UP AND NOT
THOUGHT THROUGH ALL THAT WELL.
>> IT'S MORE OF AN INTENTION TO
LIVE IN THIS KIND OF COMMUNITY.
PRETTY MUCH EVERYONE THAT'S
MOVED IN SEEMS TO BE A SIMILAR
MIND AS FAR AS SUSTAINABILITY.
>> Sreenivasan: THE KINLEYS OWN
TWO CARS, ONE OF WHICH IS
ELECTRIC.
EVERY GARAGE IS PRE-WIRED WITH
ENOUGH POWER TO EASILY CHARGE
IT.
BUT LIVING IN A TOWN DESIGNED TO
BE WALKABLE-- BABCOCK RANCH HAS
MILES OF TRAILS-- THE KINLEYS
SAY THEY OFTEN GO SEVERAL DAYS
WITHOUT DRIVING AT ALL.
>> I LOVE THE IDEA OF GETTING
AWAY FROM CARS.
I MEAN I THINK CARS ARE JUST
LITERALLY CHOKING AMERICA TO
DEATH.
>> Sreenivasan: THE TOWN IS
TESTING ONE OF THE STATE'S FIRST
DRIVERLESS SHUTTLE SYSTEMS,
POWERED BY ELECTRICITY GENERATED
FROM THE SOLAR PANELS.
THE GOAL IS TO GIVE EVERY
RESIDENT ACCESS TO THE VEHICLES
VIA A RIDE HAILING APP.
AND SYD KITSON SAYS THAT MAY BE
FEASIBLE BY NEXT YEAR.
>> WE'RE HOPING WITHIN TEN YEARS
PEOPLE WILL HAVE NEED FOR ONLY
ONE CAR AND THEN SHORTLY
THEREAFTER THEY WON'T NEED A CAR
AT ALL.
>> Sreenivasan: IN THE MEANTIME
RESIDENTS KEEP COMING, ABOUT 200
SO FAR.
JASMIN AND JOSHUA DAY WEREN'T
LOOKING FOR A COMMUNITY LIKE
THIS.
BUT JUST A WEEK AFTER
DISCOVERING THE TOWN, THEY PUT A
DEPOSIT DOWN ON A HOME.
>> HE HAD A CONVERSATION WITH A
CO-WORKER WHO WAS JOKING WITH
HIM BECAUSE WE KIND OF ARE MORE,
HIPPY, I GUESS MAYBE IN SOME OF
THE THINGS THAT WE DO.
AND THEY WERE JOKING AND THEY
WERE LIKE, "OH WE HEARD ABOUT
THIS TOWN IT'S LIKE THIS
SUSTAINABLE CITY THERE'S SOLAR
PANELS, YOU GUYS WOULD LOVE IT."
AND I LOOKED IT UP AND I WAS
LIKE I REALLY ACTUALLY DO LOVE
THIS TOWN.
>> Sreenivasan: JOSHUA, A
PHYSICAL THERAPIST, GOT A JOB AT
THE LOCAL HEALTH CENTER IN THE
TOWN'S COMMERCIAL HUB BEFORE
THEY MOVED IN.
IT'S WHERE THE FIRST BUILDINGS
WENT UP.
THERE'S ALSO A RESTAURANT AND
COFFEE SHOP, A SMALL GROCERY
STORE, AND A BRAND NEW SCHOOL
AND THIS IS ALL STRATEGIC.
IT'S EARLY IN THE PROJECT, BUT
KITSON'S GOAL IS TO BUILD A
SELF-CONTAINED TOWN: PROVIDE
ROBUST LOCAL BUSINESSES WITH JOB
OPPORTUNITIES SO RESIDENTS WILL
BE LESS LIKELY TO JUMP IN A CAR
AND LEAVE.
IN FACT, JOSHUA'S NEW COMMUTE IS
JUST A FIVE MINUTE BIKE RIDE.
>> FOR US, BEING PART OF LIKE A
COMMUNITY OF PEOPLE WHO ARE ALSO
THINKING THIS, IT'S NOT JUST OUR
CHOICES.
IT'S YOU KNOW BUILDERS, IT'S
LANDSCAPERS, IT'S PEOPLE WHO ARE
BUYING FROM THE FARMERS MARKET
INSTEAD OF YOU KNOW X, Y AND Z.
LIKE, FOR US IT'S REALLY AN
ENDLESS STREAM OF CHOICES.
>> Sreenivasan: THE SOLAR PANELS
AND GREEN BUILDINGS MAY BE THE
MOST VISIBLE SUSTAINABILITY
FEATURES AT BABCOCK RANCH.
BUT ACCORDING TO ENGINEER AMY
WICKS, IT'S WATER CONSERVATION
THAT SHAPED THE DESIGN OF THE
COMMUNITY.
>> IT'S REALLY A UNIQUE SYSTEM
HERE AND IT'S REALLY NOT
SOMETHING THAT'S BEEN DONE IN
RESIDENTIAL DEVELOPMENTS THUS
FAR.
>> Sreenivasan: DRIVING ALONG
THE TOWN'S ROADS YOU MIGHT NOT
NOTICE THESE FLAT RIBBON CURBS.
THEY ALLOW WATER TO FLOW TO WHAT
ARE CALLED RAIN GARDENS, THEY'RE
DESIGNED TO REPLICATE WHAT
WETLANDS DO: HOLD AND FILTER
WATER BEFORE IT FLOWS
DOWNSTREAM.
>> INSTEAD OF JUST ENGINEERING A
SYSTEM TO WORK, WE'RE
ENGINEERING THE SYSTEM TO MIMIC
NATURE, BECAUSE REALLY WHAT
WE'VE LEARNED OVER TIME IS
NATURE HAD IT RIGHT ALL ALONG.
>> Sreenivasan: WICKS HAS WORKED
ON WATER ENGINEERING AT BABCOCK
RANCH FOR MORE THAN A DECADE.
SHE SAYS THIS LAND ONCE HAD
SEASONAL LAKES BEFORE IT WAS
DRAINED TO MAKE WAY FOR
AGRICULTURE AND MINING.
>> THIS HERE IS THE WEIR THAT
WE'VE DESIGNED THAT'S GOING TO
HOLD BACK THAT WATER TO MIMIC
THAT NATURAL SYSTEM THAT WAS
HERE BEFORE, THAT NATURAL LAKE
SYSTEM.
>> Sreenivasan: NORTH OF TOWN A
DITCH THAT JUST A YEAR AGO
LOOKED LIKE THIS HAS BEEN
TRANSFORMED.
>> THIS NOW HOLDS WATER, ALMOST
THE ENTIRE YEAR.
BACK TO WHAT THE NATURAL
CONDITIONS WERE.
>> Sreenivasan: AND WHAT BABCOCK
RANCH IS DOING HERE HAS AN
EFFECT ON NEARBY WATERWAYS.
TOXIC ALGAE BLOOMS HAVE
INCREASED IN FLORIDA.
THEY TURN WATERWAYS GREEN,
SMELL, AND CAN AFFECT BOTH HUMAN
AND MARINE ANIMAL HEALTH.
THE BLOOMS CAN NATURALLY OCCUR,
BUT WORSEN WITH RUNOFF FROM
AGRICULTURE AND DEVELOPMENT,
INCLUDING FERTILIZER AND WASTE.
>> WE'VE REALLY REALIZED THAT
DEVELOPMENT HAS REALLY IMPACTED
THE WATER QUALITY IN THE STATE
OF FLORIDA.
SOMETHING LIKE THIS IS REALLY
IMPORTANT JUST TO TRY TO REDUCE
THE OVERALL RUNOFF THAT'S GOING
OUT TO OUR GULF ULTIMATELY, OUT
TO OUR OCEANS.
>> SOMETHING'S ALWAYS DOWNSTREAM
FROM YOU AND YOU'VE GOT TO TAKE
THAT INTO ACCOUNT.
>> Sreenivasan: WIN EVERHAM IS
AN ECOLOGIST AT FLORIDA GULF
COAST UNIVERSITY.
EARLY IN THE DEVELOPMENT OF
BABCOCK RANCH, HE WAS CALLED IN
TO HELP SURVEY THE WILDLIFE
POPULATION.
AND HE'S FOLLOWED THE PROJECT'S
DEVELOPMENT.
>> WHAT WE KNOW WILL HAPPEN IN
THE FUTURE ON THIS LANDSCAPE IS
MORE PEOPLE WILL WANT TO COME
HERE.
AND WHAT WE'RE REALLY LACKING IS
BETTER MODELS FOR HOW TO PUT
THEM ON THE LAND.
BABCOCK RANCH COULD BE A BETTER
MODEL.
>> Sreenivasan: BUT FOR ALL OF
THE TOWN'S SUSTAINABILITY
FEATURES, THERE ARE GAPS.
FOR EXAMPLE, MOST OF THE HOMES
WILL BE SINGLE FAMILY.
>> I THINK IT'S FAIR TO
CRITICIZE SOME OF THE WAYS WE
DEVELOP AND PART OF THE WAYS
THAT BABCOCK'S BEEN DEVELOPED
THAT THE MOST EFFICIENT WAY OF
PUTTING PEOPLE ON THE LAND WOULD
BE IN TALL APARTMENT BUILDINGS
WHERE THE PEOPLE ARE
CONCENTRATED AND YOU MAXIMIZE
THE GREEN SPACE.
>> Sreenivasan: AND WHILE GREEN
SPACE HAS BEEN SET ASIDE AT
BABCOCK, AND THE AMOUNT OF GRASS
EACH HOME CAN HAVE IS LIMITED,
SOME HAVE ARGUED THE DEVELOPERS
COULD HAVE GONE FURTHER.
FOR INSTANCE THEY COULD BAN
LAWNS ALTOGETHER.
>> WE'VE BEEN ASKED, YOU KNOW,
WHY DON'T YOU JUST YOU KNOW SAY
YOU CAN'T HAVE GRASS AT ALL AND
YOU KNOW THE PRACTICALITY OF IT
IS DIFFICULT.
REMEMBER, WE DO HAVE TO SELL
HOMES.
>> Sreenivasan: KITSON SAYS
HOMES ARE PRICED FOR DIFFERENT
BUDGETS.
THEY START AT AROUND $200,000,
SLIGHTLY HIGHER THAN THE MEDIAN
FOR THIS PART OF FLORIDA AND CAN
GO AS HIGH AS $1 MILLION.
KITSON SAYS AFFORDABILITY AND
SUSTAINABILITY ARE NOT
NECESSARILY IN CONFLICT.
>> WE NEED TO PROVE THAT
BUILDING A SUSTAINABLE AND
ENVIRONMENTALLY RESPONSIBLE NEW
TOWN MAKES SENSE FROM AN
ECONOMIC PERSPECTIVE.
NOT JUST FROM THE PEOPLE WHO ARE
DEVELOPING IT LIKE US, BUT FOR
THE HOMEOWNERS WHO ARE GOING TO
BUY HOMES AND MAKE THEIR
INVESTMENTS WITHIN THE
COMMUNITY.
>> Sreenivasan: BUT KITSON
ACKNOWLEDGES MAKING BABCOCK
RANCH AS GREEN AS POSSIBLE IS
STILL A WORK IN PROGRESS.
>> ARE WE 100% SUSTAINABLE RIGHT
NOW?
NO.
BUT CAN WE GET THERE?
ABSOLUTELY.
| {
"pile_set_name": "YoutubeSubtitles"
} |
Haute-Isle
Haute-Isle is a commune in the Val-d'Oise department in Île-de-France in northern France.
See also
Communes of the Val-d'Oise department
References
INSEE
Association of Mayors of the Val d’Oise
External links
Mérimée database - Cultural heritage
Land use (IAURIF)
Category:Communes of Val-d'Oise | {
"pile_set_name": "Wikipedia (en)"
} |
I am Dutch born, but because of Canada, I'm headed to the PyeongChang Olympics as a world-record holder.
I'm better today because I was embraced by the Canadian long track speed skating team. While Holland gave me my start, it was my father's birth country that gave me my future.
Representing Canada is the ultimate goal, and my Olympic dreams are fuelled by a life-altering performance at the beginning of last winter…
Salt Lake City (Nov. 21, 2015): Halfway through the World Cup race I found myself on a pace that would lead to a world-record setting time in the 10,000 metres. At first the crowd was cheering loudly for me. They liked my fast start. But later on, as the stadium announcer got more enthusiastic, the crowd got quiet. I was keeping my world-record-pace going, lap after lap.
Could this really happen? I had never been close to a world record, never won a World Cup. So nobody ever thought I could do this. As the final laps approached, the crowd picked up again and started going wild. At this stage it was inevitable: the eight-year-old world record would be broken! It was the best and most consistent race I ever skated, and when I crossed the finish line and looked up for my time I saw: 12 minutes 36.30 seconds, more than five seconds faster than anyone had ever skated.
After years in the famous Dutch skating system, I broke this record as a Canadian skater. How did that happen? | {
"pile_set_name": "OpenWebText2"
} |
Pages
7/13/09
Obama And Duncan: Manipulators And Spinmeisters
Jim Horn finds the evidence of what we all knew to be nonsense. How these people in power continue to cite nonsense, and then get called on it again and again, and then cite more nonsense, is beyond me. Maybe because I am not insane. (We all know the definition of insane, right? Doing the same thing over and over, expecting a different result.)
Obama and Duncan lie, obfuscate, get called out, then lie and obfuscate some more. Maybe it's the public that is insane?
Here is more nonsense debunked. Arne Duncan is not our savior, not even close...
The Civic Committee of The Commercial Club of Chicago, a supporter of Duncan and Chicago Mayor Richard M. Daley's push for more control of city schools, issued the report June 30. It says city schools have made little progress since 2003.
Its key findings stand in stark contrast to assertions President Obama made in December when he nominated Duncan as Education secretary. | {
"pile_set_name": "Pile-CC"
} |
Q:
memory leak discovered MKMapView
I have NSAutoreleasePool leaked object on a MKMapView. should I be concerned about this? I can't seem to get rid of it. I also noticed that the same leak occurs in apple's CurrentAddress sample code app
link text
A:
If it depends from Apple's library do not be worried about it (plus it is just 32 byte : D)
| {
"pile_set_name": "StackExchange"
} |
The outcomes of cementless total ankle arthroplasty - pilot study.
Since new generation ankle endoprostheses came into common use, total ankle arthroplasty has become an alternative to arthrodesis in the treatment of advanced osteoarthritis. The aim of paper was present preliminary results of cementless total ankle arthroplasty in patients with osteoarthritis. In 2012-2014, 12 cementless total arthroplasties of the ankle joint with a Mobility implant were conducted at the Department of Orthopaedics and Traumatology of the Central Clinical Hospital of the Ministry of Interior in Warsaw. The patients were 7 women and 5 men aged 27-72 years. Nine of the patients had the arthroplasty procedure due to severe post-traumatic degenerative changes while 3 patients had haemophilic arthropathy. Clinical assessment was based on the AOFAS scale and the VAS pain scale. The patients were followed up for at least 6 months. All patients improved considerably. After surgery, the AOFAS score improved by 43.0 (± 7.5) points against baseline while the VAS score improved by 5.2 (± 0.8) points. Imaging studies revealed an anatomical position of the endoprosthesis in all patients and no evidence of implant loosening. 1. Cementless total ankle arthroplasty currently seems to be an optimal solution in the treatment of osteo arthritis of the ankle joint. 2. Correct qualification for surgery is a prerequisite for successful treatment. | {
"pile_set_name": "PubMed Abstracts"
} |
MY first involvement in trade union activism began just as Thatcherism was getting into full swing.
After a long pause, I returned to the maelstrom in the 1990s. By that time the trade union movement was a faint shadow of the mighty force that had once commanded huge influence, its UK membership slashed by five million in the intervening period since I was a teenage shop steward.
During its 18 years in power, the Tory government had railroaded through nine Acts of Parliament designed to further weaken the rights of working people to organise themselves.
One thing remained unchanged, however. The Labour Party still dominated the machinery of the trade union movement in Scotland and across Britain. Some of them tried in vain to recruit me.
“Join the party and change it from within,” they said. “Labour is the political wing of the trade union movement,” they insisted. “And now that we’re in power, we’ll take take the party back to the left,” they claimed.
By the time Tony Blair had unleashed global carnage, even the most ardent Labour loyalists were no longer trying to recruit anyone.
But 12 years and two General Election defeats later, these old arguments are being revived with a passion as tens of thousands of people – mainly in England and Wales – sign up to change the Labour Party by voting for Jeremy Corbyn. Many have been inspired by the example of Scotland, their confidence in left-wing ideas galvinised by the landslide election victory of the anti-austerity, anti-Trident SNP.
But its clear they’re not welcome.
The problem with real democracy is that people cannot just be herded like sheep. If you believe in it, you need to live with people who don’t agree with you. And if you claim you’re the natural party of the working class, you need to be prepared to let in the mob.
Ultimately, it’s all about power.
The Oxbridge elite who’ve run UK Labour for decades are panic-stricken that they’re about to lose control.
Yes, political parties should have mechanisms to protect themselves from damaging and destructive behaviour, whether that’s violence, bullying, harassment of women, corruption or fraudulence.
But if Jeremy Corbyn is denied the leadership by bans and exclusions, Labour will have taken one more giant leap towards oblivion.
Say no to sanctions on the poor
BACK in 1923, the Red Clydesider and Independent Labour MP Jimmy Maxton was thrown out of the House of Commons for denouncing a Tory minister as a “murderer” for withdrawing school milk. Times may have moved on, but we still have a Tory government in Westminster driving the poor to early graves.
No-one will ever be tried or convicted, but when poor people take their own lives because their benefits have been stopped or cut, those in charge of our welfare system are morally if not legally guilty of culpable homicide.
Now DWP staff have been given guidance about how to deal with suicidal claimants. It’s like recruiting burglars to advise the folk they’ve robbed how to make an insurance claim. Only worse.
And it’s not even proper training. Many health and social care workers are thoroughly trained by professionals in suicide first aid. The DWP workers are simply given a pink card, which is supposed to help them assess whether or not to call an ambulance.
Here’s a better and more humane way of dealing with vulnerable claimants. Stop imposing sanctions. They don’t work. They will never miraculously transform people with a mountain of problems into nine-to-five types.
Half of all those who appeal against sanctions win – evidence enough of their arbitrary unfairness. We need a co-ordinated campaign, that includes the power of the Public and Commercial Services Union to abolish sanctions. And save lives.
The pink cards should be binned. That would be a start in resisting the Tories’ war on the vulnerable.
I cheered when maligned young mum hit back after spray tan boob
SPRAY tans might look great under the studio lights of Strictly Come Dancing, but in the cold light of day they tend to make folk look like refugees from a Tango ad.
Yet many women, under pressure to look good and bombarded daily with images of bronzed glamour, do take to the spray can on occasion.
Gemma Colley, a self-deprecating young mum, made the mistake of posting a shot of her baby on Facebook after accidentally transferring some of the lotion onto her baby’s cheek while breast-feeding.
Enter the Holy Willies. In their eyes, mothers should be demure self-denying Madonnas (and certainly not the pop star version). The pelters directed at Gemma underline the impossible duality women are expected to exemplify in a world in which we are still far from liberated.
I cheered when Gemma hit back saying: “Yes, I occasionally forget things, lose my s***, give my eldest one too many biscuits, and occasionally let the CBeebies presenters babysit, but I’d hardly say that constitutes as the worst mum in the world.”
No, it doesn’t, Gemma. You’re just like the rest of us – trying to do your best in a world where women are damned if they do and damned if they don’t. | {
"pile_set_name": "OpenWebText2"
} |
This invention relates to folding rear view mirrors for vehicles.
With vehicles such as agricultural or industrial tractors the variety of trailers, implements or attachments which may be drawn behind the tractor is very varied and this presents a problem in providing rear view mirrors which can be easily adjusted between the different width settings that are necessary to provide a clear rear view around the different trailers, implements or attachments which may be used.
One option is a telescoping arrangement as described, for example, in U.S. 2003/0117729, but such arrangements are not simple to adjust if not mechanised and may have penalties in terms of cost and component count. Simpler systems based on pivoting links, described in GB 1 339 123 and U.S. Pat. No. 3,031,929, allow a mirror mount to collapse inwards if an obstacle is encountered but do not support adjustment over a wide range of width settings whilst remaining visible to the user. | {
"pile_set_name": "USPTO Backgrounds"
} |
Prime Minister Benjamin Netanyahu expects the Swedish government to explicitly denounce a Swedish newspaper report claiming that Israel Defense Forces harvested Palestinians' organs for transplant and "its anti-Semitic essence".
The Swedish foreign minister condemned the report in his personal blog, and Netanyahu views this as "a step in the right direction", but says it is insufficient as long as the government in Stockholm fails to issue an official statement on the matter.
Criticism Israel: Sweden using 'freedom of speech' as fig leaf Roni Sofer Responding to Swedish prime minister's refusal to apologize for article alleging Israeli soldiers harvested organs from Palestinian bodies, Foreign Ministry says Sweden utilizing 'freedom of speech' as excuse not to condemn anti-Semitism Israel: Sweden using 'freedom of speech' as fig leaf
The Swedish government has so far refrained from denouncing the newspaper wholeheartedly, leaning on the principle of freedom of press.
Finance Minister Yuval Steinitz said Sunday morning, "We are in a crisis until the Swedish government issues a different response.
"The State of Israel, the Jewish people's state, cannot ignore expressions of anti-Semitism, even if they are made in a respectable newspaper. Those refusing to renounce such blood libels may become unwanted in the State of Israel," he said.
Social Affairs Minister Isaac Herzog noted that this was not a one-time incident, "but a media campaign which has been going on for years."
Meanwhile, revenge is already seen on the ground. The Government Press Office (GPO) On Sunday morning prevented a reporter and photographer for the Swedish paper Aftonbladet, which published the controversial report, from entering Gaza. The two were told by the GPO that they would have to wait three months for a pass.
The Foreign Ministry declared last week that it would not grant the newspaper reporters entrance permits until the dispute is resolved. Daniel Seaman, head of the GPO, said cynically that "we may have to examine their blood type to check if they are eligible for organ donation."
The article which sparked a row (from Aftonbladet's website)
"Those two have fallen into our hands like ripe fruit," Seaman told Ynet. "Their newspaper did something that must not be done. We may have made some harsh comments towards them, but this is required on the backdrop of the newspaper's attitude towards Israel.
"Over the past few months, many pro-Palestinian activists have been trying to enter Israel, presenting letters from newspaper editorial boards in Sweden. Our job is to check this, and all the more so when we are dealing with a newspaper that published such a blood libel."
Last week, Foreign Minister Avigdor Lieberman compared the Swedish government's faint response to the newspaper report to "its silence during the Holocaust".
Swedish Foreign Minister Carl Bildt spoke over the weekend with Netanyahu's national security advisor, Uzi Arad, seeking to ease the tensions ahead of his planned visit to Israel next month.
Jerusalem is now waiting to see whether the Swedish foreign minister's tone during the telephone conversation signals a new direction in Stockholm's policy, which would allow ending the affair. | {
"pile_set_name": "OpenWebText2"
} |
Celebrating 34 Years of Nurturing Passion and Artistry
DANCE EXPRESSION - Sussex County NJ's Dance Studio-is proud to offer you excellence in dance instruction and dance classes: a qualified, experienced, caring dance faculty and an enthusiastic, warm and positive atmosphere where your child will grow and excel! You will find the youngest beginner through the advanced dancer exploring the joy and expression of movement, developing confidence, self-esteem, physical and technical skill, making life long friendships and having fun while learning! You'll find each student dancing to their personal best! | {
"pile_set_name": "OpenWebText2"
} |
126 N.J. 320 (1991)
598 A.2d 878
WHITE CASTLE SYSTEMS
v.
PLANNING BOARD OF CITY OF CLIFTON
The Supreme Court of New Jersey.
February 19, 1991.
Petitions for Certification
Denied.
244 N.J. Super. 688 583 A.2d 406
| {
"pile_set_name": "FreeLaw"
} |
Q:
Count multiple values with jquery
I am trying to create counting function with jquery.
I have multiple sets of inputs with numbers determined, something like:
<input class="price" type="hidden" name="price" value="4">
<input class="count" type="text" name="count" maxlength="4">
I want to create script that will count all inputs, eg.
(price * count) + (price * count) etc..
So far i came up with this script, which multiplies and displays only one input
$('.count').blur(function() {
var amount = parseFloat($(this).val());
var price = $(this).closest('tr').find('.price');
var result = parseFloat((price).val());
var money = (amount * result)
$('.money').text(money);
});
A:
You need to use a loop inside your blur handler like
var $counts = $('.count').blur(function () {
var money = 0;
$counts.each(function () {
money += (+this.value * $(this).closest('tr').find('.price').val()) || 0
});
$('.money').text(money);
});
Demo: Fiddle
| {
"pile_set_name": "StackExchange"
} |
15 November 2016
Black French Doors: Before and After
The french doors in our kitchen were definitely one of the selling points for us when buying our house. I love natural sunlight and the thought of pulling both of those doors wide open on a warm day and letting the sun stream into our kitchen with a view of our backyard was just so dreamy to me.
Since moving in, we definitely get a ton of use out of these doors. They lead to our deck so during the summer they're usually wide open with the kids running in and out of the house. It's pretty common to see our storm doors covered in holiday themed decals or window marker drawings. Plus our pup spends a good amount of time watching the squirrels and bunnies hopping about our yard. (Don't worry, our old girl can't catch them.)
We certainly get a ton of sunlight, especially in the morning. After two years of draping towels over the doors during breakfast to block the sun I finally invested in some window treatments. I searched for some time before deciding on these curtains from DaniDesignsCo on Etsy. I wanted something that wouldn't permanently block the light, that I could fully open during the days, but would provide privacy at night as well as when the sun was just a little too bright to sit at the table. These curtains are so easy to install (velcro!), within 20 minutes of opening the package they were on the doors.
You can see from photos in her shop that the curtains fully extend down to cover the entire window, while keeping the doors themselves uncovered.
I had been talking about repainting the doors since we moved in. The white side didn't look bad, but could use a fresh coat. What bothered me most on that side was the yellowed plastic dividers. At first I wanted to remove them completely (think Dana's kitchen doors). We would need to do some repair work and figure out a replacement trim for the edges. I honestly wasn't even thinking black doors to begin with, just wanted white and bright.
One thing that we either didn't notice or didn't really care about at the time of house hunting was the condition of the OUTSIDE of the doors, which faces our deck. When we were looking at the house it was the middle of a snowy winter so we weren't thinking about how the outside of the doors would look when open in the kitchen. Well, here is how they look....
Yikes, right? Yellowed, cracking plastic and a very hastily done red paint job. Definitely not the fresh clean look I had been dreaming about. I've been giving dirty looks to this side of the doors since we moved in almost two and a half years ago.
Now before you get excited about a dramatic before and after of the red doors, I have to admit I haven't tackled this side of the doors - yet! They are going to need a little more TLC before I can paint and since the weather has turned chilly we don't really see them as much. I wanted to tackle the inside first since that's the side we see all day long. But they will be done soon and you will definitely see after photos.
A few weeks ago I stumbled up this photo on Pinterest, and immediately my mind was made up. Keeping the dividers and going black on the doors. I didn't so much ask Jordan for his opinion, but just warned him that he just may come home one day to black doors. He was down. I'm lucky that there isn't much he doesn't trust me with when it comes to the house, and our tastes and pretty similar for the most part.
Once more time, here's an old picture from a previous kitchen post:
So while the doors don't look bad on this side, I feel like they didn't do anything for the kitchen. A lot of the kitchen has changed since this photo, most noticeably the cabinet colors (more on that before and after in another post). What you don't notice at first from the before photos was just how bad the hinges were. We replaced the door handles and deadbolts on all doors as soon as we moved in for both aesthetic and safety purposes since the house was a rental property and we didn't know how many keys were floating around.
We also bought new hinges but never got around to changing them. Once I started painting I was glad we had that hardware already on hand because leaving the paint covered old hinges was not going to work. Once of my biggest frustrations when moving into a house is when you being to discover all the little shortcuts previous homeowners took that you now need to fix.
After a few days (let's face it projects take a bit longer when you have kids), we had fresh beautiful black french doors in our kitchen.
:) :) :) :) :)
Am I right?
It's been about two weeks and each time I look at them I think how much I really love the change. Not only do they look nice, but they make the kitchen FEEL different. It's so important to me how a room FEELS because I'm spending so much time in our house as a work from home mom. If something doesn't feel cozy to me, it doesn't feel like home.
Another before:
And after:
The new hinges look so much better, too, right?
Purchasing a new kitchen table is going to be next on our list of things to tackle in the kitchen (and hopefully we will be doing so within a few months). This set is probably a decade old and we are slowly losing sturdy chairs and we've resorted to placemats to cover the condition of the top of the table.
Since the table, floors, and top of our fauxdenza are all the same shade of wood, I am leaning towards a lighter, possibly gray toned wood. I love the look of this one from Target with a bench replacing the metal stools and some upholstered or metal white chairs on the other side. We also may hit up a local farmer's market and see what options they have.
But until then, these pretty doors are a nice distraction from the old table, right?
I just love them.
Since taking the after photos, I put the curtains back on the doors. While I really love how they look without window treatments, the sun comes in so bright in the mornings that we can't even sit at the table to eat breakfast. I searched for a while looking for window treatments that I liked and these are honestly the only ones I came upon that fit what I wanted, so back they went.
They don't look bad at all, although I'm considering swapping the grey and white stripes for a solid black pair to blend more into the door.
No comments:
Post a Comment
Search
ARCHIVE
PLEASE NOTE:
Unless otherwise noted, all pictures on this blog are mine and have been taken by me. All tutorials, unless otherwise noted, have been written by me. If you wish to use any of my photos or tutorials on your personal site, please credit and link back. | {
"pile_set_name": "Pile-CC"
} |
Q:
Replace string in a database file with an input file list - Terminal
I'd like to replace some file extension in an SQL file when I match strings from an input file using terminal.
I have an input.txt containing a list of file paths.
/2014/02/haru-sushi_copertina_apdesign-300x300.png
/2014/02/haru-sushi_copertina_apdesign.png
/2014/02/harusushi_01_apdesign-300x208.png
ect ect
Then I have a WordPress.sql file
What I'd like to do, whenever I find a match between the 2 files, is to replace the extension from .png to .jpg in the database file of that matching.
I hope I've made myself clear.
Should I use sed with regular expressions? Something like
cat input.txt | while read -r a; do sed -i 's/$a/.jpg/g' wordpress.sql; done
Any suggestions? Even for the RegEx.
A:
sed is for simple substitutions on individual lines, that is all, and you should never write a shell loop just to manipulate text, see http://unix.stackexchange.com/questions/169716/why-is-using-a-shell-loop-to-process-text-considered-bad-practice.
Try this (uses GNU awk which I assume you have since you were using GNU sed):
awk -i inplace 'NR==FNR { paths[$0]; next }
{
for (path in paths) {
gsub(path,gensub(/png$/,"jpg",1,path))
}
print
}
' input.txt wordpress.sql
It has some caveats related to partial matching but no worse than if you were trying to use sed and easily fixable if there's a problem (unlike with sed).
| {
"pile_set_name": "StackExchange"
} |
Q:
Generic of type RawRepresentable is misinterpreted as self it seems
To use NSCoding with Swift's Enum type I made an extension on NSCoder:
extension NSCoder {
func encodeEnum<Enum: RawRepresentable where Enum.RawValue == String>(value: Enum, forKey key: String) {
self.encodeObject(value.rawValue, forKey: key)
}
func decodeEnumForKey<Enum: RawRepresentable where Enum.RawValue == String>(key: String) -> Enum? {
guard let returnValue = self.decodeObjectForKey(key) as? String else { return nil }
return Enum(rawValue: returnValue)
}
}
The encodeEnum method works fine for a String-backed Enum, but when I try to decode the prior encoded Enum like so:
enum MyEnum: String { case Something, Other }
class MyEnumClass: NSObject, NSCoding {
let myEnum: MyEnum
init(myEnum: MyEnum) {
self.myEnum = myEnum
}
required convenience init?(coder aDecoder: NSCoder) {
guard let tmp = aDecoder.decodeEnumForKey("myKey") as? MyEnum else { return nil }
self.init(myEnum: tmp)
}
}
I get an error on aDecoder.decodeEnumForKey("myKey"):
Value of type `NSCoder` has no member `RawValue`
I'm pretty sure it has something to do with the generic and the condition that Enum.RawValue == String. But I do not understand while it's not working, but works for encodeEnum().
A:
The problem is that in
guard let tmp = aDecoder.decodeEnumForKey("myKey") as? MyEnum else { return nil }
the compiler cannot infer the generic placeholder of
func decodeEnumForKey<Enum: ...>(key: String) -> Enum?
to be MyEnum, you have to cast the result to MyEnum? instead:
guard let tmp = aDecoder.decodeEnumForKey("myKey") as MyEnum? else { return nil }
so that the return type is inferred as MyEnum? from the calling context.
| {
"pile_set_name": "StackExchange"
} |
Sublingual isosorbide dinitrate-stimulated tilt test for diagnosis of vasovagal syncope in children and adolescents.
Vasovagal syncope is the most likely cause of syncope in the young. Head-up tilt-table test (HUT) provides the ability to provoke vasovagal syncope under controlled laboratory settings. In adult populations, pharmacologic stimulation with intravenous/sublingual isosorbide dinitrate (ISDN) has been shown to be an alternative to isoproterenol for increasing the diagnostic yield of HUT. In this study, 40 patients aged 9-18 years with unexplained syncope and 12 healthy age-matched children were evaluated by HUT to 70 degrees for 45 minutes. If tilting alone did not induce symptoms (syncope and presyncope), 0.1 mg/kg ISDN was given while the patient lay supine. After 5 min, the table was tilted to 70 degrees for 15 min or until the symptoms occurred. The control group consisted of 12 healthy age-matched children studied in a similar manner. Six patients (15%) had a positive basal tilt test. Twenty-five patients (62.5%) lost consciousness following ISDN administration. In the control group, nobody had a syncopal episode during the basal tilt test. However, ISDN administration resulted in 1 positive response (8.3%). The sensitivity of the test was 77.5% and its specificity was 91.6%. It is concluded that sublingual nitroglycerin HUT is suitable for routine clinical practice in children and adolescents with unexplained syncope. | {
"pile_set_name": "PubMed Abstracts"
} |
Many vehicles include cargo areas having a relatively flat floor leading to a door, such a liftgate, tailgate or hatchback. The door typically pivots away from the flat floor to facilitate access to the cargo area. As a result of the relatively flat cargo area floor, some objects stored in the cargo area may shift during vehicle travel or otherwise come to rest against the door. Upon movement of the door away from the floor, these objects may roll, slide or otherwise fall out of the cargo area. Particularly with a hatchback or liftgate that pivots vertically away from the cargo floor, it can be difficult to prevent cargo from falling out of the vehicle upon opening the liftgate. | {
"pile_set_name": "USPTO Backgrounds"
} |
This is probably a simple one for all you Unix whiz' out there, but I can't figure it out, so I am trying to sftp into a windows server from the command line, and the remote refuses connection. When I run it in verbose mode, I can see that the system is trying to use one of my public keys (set up in my ssh config and used for another server that I ssh into) for authentication, when all I want is for it to ask me for a password, here is a sanitized version of the trace:
When I try this on a windows machine with WinScp or Putty, things work just fine. But I need to get this working on my production server (Centos) where I can't install these or another utilities.
PS: Im able to reproduce this problem on my mac as well, with the same result, but can't resolve it on either. Any help would be appreciated.
Thanks in advance!! | {
"pile_set_name": "Pile-CC"
} |
By Danny Wood
BBC News, Madrid
Most of those who will suffer will be in Africa, the UN says
The meeting of the UN Convention to Combat Desertification has ended in Madrid and is expected to move on to New York to try to sort out funding.
The UN says desertification caused by climate change and unsuitable farming is a crisis of global proportions.
In 10 years it could drive 50 million people from their homes, it says.
Most of those will be in Africa.
The UN's top climate change official, Ivo de Boer, said there was a "very close interaction" between climate change and desertification.
"Climate change is having an impact on deserts and at the same time, because carbon is captured in soils, desertification also has an interaction with climate change.
"So it's something that works both ways which is why it's important to address the issue in combination."
Japanese problem
Before this conference in Madrid, there was considerable scepticism about the convention's capacity to deal with desertification.
The convention on desertification is looking very critically at itself
Ivo de Boer
UN climate change chief
The convention was adopted a decade ago but environmental groups say not one of nearly 200 signatory countries is keeping to its commitments.
Spanish news reports say the problem of reaching an agreement at this meeting was caused by Japan.
The surprise resignation of the Japanese prime minister left Japan's delegates at the conference unable to get authorisation to approve the budget.
Spain's director of biodiversity, Jose Herranz, says the new strategic plan does set concrete objectives that will help fight desertification.
But without an approved budget, environmental groups described this conference as a failure.
Mr de Boer said the convention was trying to deal with its financial issues and was "making every effort" to become more cost effective.
He said it was "looking very critically at itself, at its functioning, how it is using its money". | {
"pile_set_name": "OpenWebText2"
} |
Prostacyclin synthesis elicited by endothelin-1 in rat aorta is mediated by an ETA receptor via influx of calcium and is independent of protein kinase C.
The purpose of this study was to characterize the receptor(s) and second messenger systems involved in prostacyclin (prostaglandin [PG] I2) synthesis elicited by endothelin (ET)-1 in the rat aorta. PGI2 synthesis, measured as immunoreactive 6-keto-PGF1 alpha, was assessed in aortic rings exposed to endothelin receptor agonists in the presence and absence of selective ETA and ETB receptor antagonists. ET-1, which has equal affinity for both endothelin receptor subtypes, and ET-3, a preferential ETB receptor agonist, enhanced 6-keto-PGF1 alpha synthesis in a time- and concentration-dependent manner. ET-1 was more potent than ET-3 in increasing 6-keto-PGF1 alpha synthesis. Moreover, the selective ETB receptor agonists IRL-1620 and sarafotoxin S6c did not significantly increase 6-keto-PGF1 alpha synthesis. Furthermore, ET-1-induced 6-keto-PGF1 alpha synthesis was attenuated by an ETA receptor antagonist, BQ-123, in a dose-dependent manner but not by an ETB receptor antagonist, BQ-788. Depletion of extracellular Ca2+ or addition of Ca2+ channel blockers (nifedipine, verapamil, SK&F 96365) attenuated ET-1-mediated 6-keto-PGF1 alpha synthesis, while a Ca2+ channel agonist, S(-)-Bay K 8644, potentiated this effect of ET-1. Selective protein kinase C inhibitors (bisindolylmaleimide I, calphostin C) did not alter ET-1-induced 6-keto-PGF1 alpha synthesis. These data suggest that PGI2 synthesis elicited by ET-1 in the rat aorta is mediated primarily through influx of extracellular Ca2+ via activation of an ETA receptor and is independent of protein kinase C. | {
"pile_set_name": "PubMed Abstracts"
} |
More Affordable Shopping with nate-miller.org. Shop for Zechariah Clear Mirror 5 Drawer Lingerie Chest Shop Now, Enjoy Great Deals and Fast Delivery!..The Online Purchase Zechariah Clear Mirror 5 Drawer Lingerie Chest Great price is one of the products that we choose the best for you.It is durable, stylish looks, and pretty cheap.It suitable to purchase for someone you love or to take yourself or to gave it for an presents on important days.If you are looking for a this products?Check the pricing, features of goods and compares advantages and disadvantages before buying this product.To confident that you can get your order worthwhile.
Description
Description
Do not let this Zechariah Clear Mirror 5 Drawer Lingerie Chest be like a breeze.You should study this article to increase confidence in this Zechariah Clear Mirror 5 Drawer Lingerie Chest...If you want to create stylish and practical outside areas, knowing how to pick the right garden furniture is vital. With the wide range of styles and varying qualities of craftsmanship available today with regards to patio furniture, selecting the right items can feel more complicated, particularly towards the unskilled and inexperienced attention. However, there are specific criteria that may show you in making all the correct options when it comes to furnishing your outdoor areas. Check out the list below to understand the things you have to think about when shopping for outdoor furniture, and use it to guide you in your next furniture-shopping endeavor.Read more Zechariah Clear Mirror 5 Drawer Lingerie Chest
1. Sturdiness
Outdoor outdoor furniture requirements to be able to withstand continuous exposure to sun, wind and rain. Often, the material of the furnishings is a big factor in its sturdiness. Wood for example teak wood is a popular choice because it is lengthy-lasting and resistant to sunlight, moisture, insects and decay, not to mention weathering gives it a silvery patina over time. Wrought iron is ideal for breezy locations because its weight holds it down well outside. Aluminum is a superb choice too, as it is resistant to corrosion and rust.
2. Design
Like sturdiness, style is largely affected by materials. Wood along with other grow materials for example stick, rattan and bamboo bedding work excellent in designed landscapes as they naturally blend in with natural environment outdoors. Wrought metal seats with elaborate styles encourage the traditional France design and are ideal for comfortable, romantic spots. More sophisticated styles made from light weight aluminum or plastic look wonderful for modern spaces that induce a distinctive, eclectic feel.
3. Accessories
Even little details and extra add-ons for example toss pillows, jewelry and seat or lounge covers can make or break the look of your outside spaces. Numerous furnishings meant to keep weight but are constructed with fairly versatile material, such as a wickerwork chair, need to have soft cushions or cushions to distribute the sitter's weight and prevent premature sagging or cracking. See to it the accent pillows, upholstery, or other accessories incorporated in your furniture match well and support the appear you're going for.
4. Comfort
It is always good if you can individually sit or lie down on a piece of furniture prior to actually buying it, to check if it's comfortable sufficient that you should relaxation and relax on. You wouldn't like to buy something you'd rather steer clear of, particularly with regards to outdoor items meant for relaxation or enjoyable socializing with family and friends.
5. Price
The price of the furniture versus your budget for your decorating task is really a practical consideration that largely influences the choices available to you. Pick a ceiling price you are willing to invest, and check out your choices inside the price range comfy to you. Also be on the lookout for sale times in antique shops, horticulture centers, or your nearby furniture store, as well as discounted prices offered on the internet. Getting well-equipped and classy outdoor areas doesn't have to lose a hole in your wallet if you know where and how to look for the right pieces.Read more Zechariah Clear Mirror 5 Drawer Lingerie Chest | {
"pile_set_name": "Pile-CC"
} |
American Kung Fu practitioner, Adam McArthur follows the head monk of the world famous Shaolin Temple and his disciples, the Warrior Monks, on a world tour. Adam's first stop is Moscow, Russia where the Warrior Monks perform in the Red Square. He also gets a chance to practice Kung Fu with Russian Shaolin disciples at The Shaolin Culture Center in Moscow. In the "mecca" of martial arts, The Shaolin Temple in Henan, China, Adam gets an exclusive interview with the head monk, Shi Yongxin. He learns the nature of Shaolin spirit and gains insights into Shaolin kung fu's future. He befriends the young Warrior Monks who teach him many distinctive forms of Shaolin Kung fu. Adams is also granted the rare privilege of learning Kung Fu from two of the highest teachers of Shaolin Kung Fu, Master Yan Zhuang and Master Yan Ao. The final stretch of the journey takes Adam to Harvard University in the United States then New York City for a performance at the United Nations and finally, Los Angeles, where over 1000 kung fu practitioners meet at the Shaolin Temple Cultural Festival. | {
"pile_set_name": "Pile-CC"
} |
Q:
Does Vow of Peace's calming aura affect the caster?
Are you affected by your own calming aura? I would think the answer is "no" since you cannot re-enter the area (so maybe you were affected by it initially, but that only lasted until someone took a swing at you).
A:
Technically yes, but only once upon taking the feat, so basically no.
The effect of the aura is described (BoED p. 48) as:
...you are constantly surrounded by a calming aura to a radius of 20 feet. Creatures within the aura must make a successful Will save (DC 10 + one-half your character level + your Cha modifier) or be affected as by the calm emotions spell. Creatures who leave the aura and reenter it receive new saving throws. A creature that makes a successful saving throw and remains in the aura is unaffected until it leaves the aura and reenters. The aura is a mind-affecting, supernatural compulsion.
"Creatures within the aura" doesn't make an exception for the character who took the feat, so they're affected the same as anyone else inside the aura (including the clause about ignoring it if they make their saving throw).
However, the effect of the aura works as the calm emotions spell, which says:
Any aggressive action against or damage dealt to a calmed creature immediately breaks the spell on all calmed creatures.
So, even if they fail their save, the first time anything takes an aggressive action against the vow-taker, the calm emotions effect will end. Since, as the question points out, there's no way for a creature to leave the effect of its own aura (which would refresh the effect)...it will probably just never be affected again.
In most D&D campaigns, even a character devoted to peace is going to be the target of at least one aggressive action pretty early on. So, this isn't likely to be a concern for very long.
| {
"pile_set_name": "StackExchange"
} |
---
abstract: 'We investigate the problem of divergences appearing in the two-particle irreducible vertex functions of many-fermion systems with [*attractive*]{} on-site interactions. By means of dynamical mean-field theory calculations we determine the location of singularity lines in the phase diagram of the attractive Hubbard model at half-filling, where the local Bethe-Salpeter equations are non invertible. We find that divergences appear [*both*]{} in the magnetic [*and*]{} in the density scattering channels. The former affect a sector of suppressed fluctuations and are consistent with the mapping of the physical susceptibilities of the repulsive case. The appearance of singularities in the density channel demonstrate, instead, how vertex divergences can also plague the “dominant" scattering sectors associated with [*enhanced*]{} local susceptibilities, differently as observed for repulsive interactions. By introducing an insightful graphical representation of generalized susceptibilities and exploiting the underlying physical symmetries, we elucidate the relation between the two-particle vertices and the local response of the system, discussing algorithmic and physical implications of their singular behavior in the non-perturbative regime.'
author:
- 'D. Springer'
- 'P. Chalupa'
- 'S. Ciuchi'
- 'G. Sangiovanni'
- 'A. Toschi'
bibliography:
- 'VERTEX.bib'
title: |
Interplay between local response and vertex divergences\
in many-fermion systems with on-site attraction
---
Introduction {#sec:intro}
============
The large number of degrees of freedom controlling the physics of correlated electron systems requires, in most cases, treatments based on quantum field theory (QFT), such as the Green’s function approach and the Feynman diagrammatic technique.
Due to the complexity of the microscopic processes considered, the QFT formalism is mostly applied to the conceptually simplest case, i.e., at the “one-particle" level. This corresponds to the propagation of one extra electron (or hole) added to the interacting system or -more physically- to the description of (direct/inverse) photoemission experiments. The widespread application of the QFT to one-particle processes is reflected in a fully structured textbook[@Abrikosov1975; @Mahan2000] description and a clear physical interpretation of the different quantities appearing in the formalism, such as the electronic self-energy which can be accessed experimentally by ARPES experiments.
However, a complete understanding of the physical response in correlated systems often[@Liu2012; @Toschi2012; @Galler2015; @Hausoel2017; @Kauch2019] requires to work at the next level of complexity, namely at the [*“two-particle level"*]{}. This represents also a fundamental prerequisite for several cutting-edge many-body schemes[@Maier2005; @Metzner2012; @Rohringer2018], which explains the increasing efforts [@Kunes2011; @Rohringer2012; @Hafermann2014; @Gunnarsson2015; @Wentzell2016; @Kaufmann2017; @Tagliavini2018; @Thunstroem2018; @Reza2019; @Krien2019SBE] for extending our knowledge in this direction. Ideally, one would like to handle the QFT description of two-particle processes at the same level of confidence we have for the one-particle ones, including a comparable understanding of their mathematical and physical properties.
In this paper, we take a step in this direction by analyzing one surprising property which characterizes the two-particle analog of the self-energy, i.e. the irreducible vertex function. In particular, we refer here to the occurrence of multiple divergences displayed by this two-particle quantity, in the Matsubara frequency domain. In this respect, we recall that the self-energy expressed as function of Matsubara diverges only in the “extreme" case of a Mott-insulating phase, reflecting the complete suppression of the one-particle Green’s function. On the contrary, an ubiquitous presence of divergences in the irreducible vertex functions has been recently demonstrated in all fundamental models of many-electron physics: from the Hubbard atom[@Schaefer2016c; @Thunstroem2018] to the Falicov-Kimball model[@Janis2014; @Schaefer2016c], the Anderson Impurity model[@Chalupa2018], and the Hubbard model[@Schaefer2013; @Gunnarsson2016; @Schaefer2016c].
These divergences are a manifestation of the breakdown of self-consistent perturbation expansions in QFT and, as it was recently demonstrated, are also directly related[@Gunnarsson2017] to the intrinsic multivaluedness[@Kozik2015; @Stan2015; @Tarantino2018] of the Luttinger-Ward functional for interacting many electron systems. Mathematically, they correspond to a non-invertibility of the Bethe-Salpeter equation, through which the irreducible vertex functions are defined.
The physical processes controlling these divergences are, instead, not fully clarified yet. In fact, they do [*not*]{} appear to be associated to any phase-transition in the systems considered: At low $T$, they take place well inside of the metallic, Fermi-liquid phases in the AIM[@Chalupa2018] and the dynamical mean-field theory solution of the Hubbard model[@Schaefer2013; @Schaefer2016c]. Heuristically, their occurrence has at first been related[@Schaefer2013] to the appearance of kinks in the spectral functions[@Byczuk2007] and in the specific heat[@Toschi2009; @Held2013] or to underlying non-equilibrium properties[@Eckstein2010; @Schiro2011]. A recent, more convincing interpretation[@Gunnarsson2016; @Gunnarsson2017], however, associates the vertex divergences (occurring in a given channel) to the suppression of the corresponding physical susceptibility caused by the electronic interaction. This interpretation works quite satisfactorily in all the cases studied hitherto and it can be regarded, to a good extent, as a two-particle generalization of the suppression of the Green’s function.
In this paper, we study how the divergences of the irreducible vertex functions of the half-filled Hubbard model are transformed by changing the sign of the interaction from $U$ to $-U$. We will interpret our numerical calculations of two-particle susceptibilities and vertex functions, performed by means of the dynamical mean-field theory (DMFT)[@Georges1996], extending the existing mapping to treat also generalized two-particle quantities. This will allow us to relate our results to the underlying physical symmetries of the model considered, and to investigate the multifaceted aspects of “coupling” of two-particle vertex properties and their possible divergences to the behavior of the physical local response of the system.
These considerations do not only improve our understanding of the physics responsible for the breakdown of the (bold) perturbation expansion[@Kozik2015], but allows us to make predictions about which kind of vertex divergences can be expected -on general grounds- in different physical situations. Beyond the conceptual progress of an improved mathematical and physical understanding of the two-particle QFT formalism, our results will be also of particular interest for the future development and applications of several cutting-edge many-electrons algorithms (e.g., as all those based on the parquet formalism[@Toschi2007; @Ayral2016], the diagrammatic Monte Carlo[@Kozik2015], the nested cluster scheme[@Vucicevic2018]) [*beyond*]{} the weak-coupling, perturbative regime.
The paper is organized as follows: In Sec. II, we introduce the basic two-particle formalism needed for this study; in Sec. III, we present our numerical results for the two-particle vertex functions and their divergences in the attractive Hubbard model, as well as an interpretation of our observations, based on the mapping of the repulsive case and on the high-$T$ behavior; in Sec. IV we exploit a properly chosen graphical representation to improve the immediate physical readability of the generalized two-particle susceptibilities while in Sec. V we discuss possible physical and algorithmic implications of our findings. Our conclusions are concisely summarized in Sec. VI.
Model and formalism {#sec:model}
===================
In this work we will compute, by means of the dynamical mean-field-theory (DMFT)[@Georges1996], the local two-particle susceptibilities and (irreducible) vertex functions of both, the attractive and the repulsive Hubbard model,
$$\begin{aligned}
\label{eq:Hub}
\mathcal{H} = - t \sum_{\langle i, j \rangle,\sigma} c^{\dagger}_{i,\sigma} c^{\phantom \dagger}_{j,\sigma} + U \sum_{i} n_{i,\uparrow} n_{i,\downarrow}\end{aligned}$$
where $c (c^{\dagger})$ are the annihilation (creation) fermionic operators at lattice position $i$ and spin $\sigma$, $t$ is the hopping between next-neighboring sites on a Bethe lattice (with semielliptic DOS of half-bandwidth $D= 2t =1$), and the local Hubbard interaction $U$ can take both positive (repulsive interaction) and negative (attractive interaction) values. The chemical potential is kept fixed to $\frac{U}{2}$ to preserve the particle-hole symmetry of the model.
In order to extract irreducible quantities, one has to invert the Dyson equation at the one- and the Bethe-Salpeter equation (BSE) as well as the parquet equation at the two-particle level. At the one-particle level the self-energy $\Sigma(\nu)$ may be computed from the inversion $$\Sigma(\nu) = {\mathcal G}_0^{-1}(\nu) - G^{-1}(\nu),
\label{eq:Dysoninv}$$ of the non-interacting Green’s function $ {\mathcal G}_0$ and the interacting impurity Green’s function $$G(\nu) = - \int_0^\beta \, d\tau \, \mbox{e}^{i\nu \tau} \, \langle T_\tau c(\tau) c^\dagger(0) \rangle$$ of the auxiliary AIM associated to the DMFT solution (here $\nu = \pi T (2n+1)$ is a fermionic Matsubara frequency). Eq. illustrates that a divergence of $\Sigma(\nu)$ is associated to a complete suppression of $G(\nu)$, which only occurs in the Mott-insulating regime for $T , \nu \rightarrow 0$ .
Though more complex, the formalism is extendable to the two-particle level[@Bickers2004; @Rohringer2012]. The analog of $\Sigma$ at the two-particle level is the irreducible vertex function $\Gamma_{r}$, given in a specific scattering channel $r$ (e.g. density, magnetic, see below). $\Gamma_r$ is obtained by inverting the corresponding BSE $$\label{eq:BSEinv}
\Gamma_{r}^{\nu \nu'}(\Omega) = \beta^2 \big( [\chi_{r}^{\nu \nu'}(\Omega)]^{-1} - [ \chi_{0}^{\nu \nu'}(\Omega)]^{-1} \big) \ ,$$ where the explicit expression of the generalized susceptibility of the impurity-site reads in particle-hole notation [@Rohringer2012; @Rohringer2018] $$\begin{aligned}
\label{equ:form_gen_chi}
\chi_{\sigma \sigma'}^{\nu \nu'} (\Omega) &=& \int \limits_0^\beta d \tau_1 d\tau_2 d\tau_3 \,
e^{-i\nu \tau_1}
e^{i(\nu + \Omega)\tau_2} e^{-i(\nu' + \Omega)\tau_3} \nonumber \\
&\times & [ \langle T_{\tau} c_{\sigma}^{\dagger} (\tau_1)
c_{\sigma}^{\phantom \dagger}(\tau_2) c_{\sigma'}^{\dagger}(\tau_3) c_{\sigma'}^{\phantom \dagger}(0)
\rangle \\
& -& \langle T_{\tau} c_{\sigma}^{\dagger} (\tau_1)
c_{\sigma}^{\phantom \dagger}(\tau_2) \rangle \langle T_{\tau} c_{\sigma'}^{\dagger}(\tau_3)
c_{\sigma'}^{\phantom \dagger}(0) \rangle \nonumber] \ .\end{aligned}$$ Here, $\sigma$ and $\sigma'$ denote the spin directions of the impurity electrons, and $\nu$, $\nu'$ and $\Omega$ represent two fermionic and one bosonic Matsubara frequency, respectively. $\chi_{0}^{\nu \nu'}$ corresponds to the bare bubble given by $-\beta G(\nu) G(\nu + \Omega) \delta_{\nu \nu'}$. In the case of SU(2) symmetry, the BSE can be diagonalized in the spin sector defining the density ($r= d$) and magnetic ($r=m$) channel: \[$\chi_{d[m]}^{\nu \nu'} (\Omega) = \chi_{\uparrow \uparrow}^{\nu \nu'} (\Omega) +[-]
\chi_{\uparrow \downarrow}^{\nu \nu' } (\Omega)$\]. Similar considerations apply to the particle-particle ($pp$)-sector: the expression of the generalized susceptibilities in the corresponding ($pp$) notation can be obtained[@Rohringer2012; @Rohringer2013a] via a frequency shift of the particle-hole expressions $\chi_{pp,\uparrow\downarrow}^{\nu\nu'}(\Omega) = \chi_{\uparrow\downarrow}^{\nu\nu'}(\Omega -\nu-\nu')$. [^1] At the two-particle level the inversion of $\chi_r^{\nu \nu'}$ in Eq. \[eq:BSEinv\] written in terms of its eigenvalue decomposition takes the form$$\label{eq:InvChiEVSpectrum}
[\chi_{r}^{\nu \nu'}]^{-1} = \sum_\ell V^r_\ell(\nu)^* [\lambda^r_\ell]^{-1} V^r_\ell(\nu') \ .$$ Similar to the one-particle level, where $\Sigma(\nu)\!\rightarrow\!\infty$ directly corresponds to a zero of $G(\nu)$, a divergence of the “two-particle" self-energy, the irreducible vertex $\Gamma_r^{\nu \nu'}$, is related to a vanishing eigenvalue $\lambda_\ell^r$ in Eq. . Note, that this is merely an analogy, since a single vanishing eigenvalue $\lambda_\ell^r$ does not imply a vanishing of the whole $\chi_r^{\nu \nu'}$ matrix. Hence, a divergence of $\Gamma_r$ does not cause the corresponding static ($\Omega=0$) physical susceptibility $$\chi_{r}= \frac{1}{\beta^2} \sum_{\nu, \nu'} \, \chi_{r}^{\nu \nu'}(\Omega=0)
\label{eq:chiphys}$$ to vanish as well. However, after crossing a divergence line the corresponding eigenvalue $\lambda_\ell^r$ becomes negative, resulting in a [*negative*]{} contribution in the eigenvalue decomposition of the physical susceptibility $$\label{eq:ChiSpectrum}
\chi_{r}= \sum_\ell \lambda^r_\ell | \sum_\nu V^r_\ell(\nu) |^2 \ .$$ eventually causing a [*progressive*]{} suppression of the physical fluctuations in the respective channel. Therefore, a divergence of $\Gamma_r^{\nu \nu'}$ followed by the presence of a negative eigenvalue in $\chi_r^{\nu \nu'}$ can be interpreted as the analog of the suppression of the single-particle Green’s function by the single-particle self-energy [@Gunnarsson2016; @Gunnarsson2017].
Indeed, in all previous studies of models with [*repulsive*]{} interactions, negative eigenvalues have exclusively occurred in physical channels that are [*suppressed*]{} upon increasing the interaction strength $U$, namely in the charge and in the particle-particle sectors.
According to this observation, one may expect that vertex divergences in models with [*attractive*]{} interaction will occur in the [*magnetic*]{} channel only. This would heuristically be consistent with the known “mapping" of the physical degrees of freedom (D.o.F.) of the half-filled Hubbard model. Due to the intrinsic $O(4) = SU(2) \times SU(2)$ symmetry, the partial particle-hole, or Shiba, transformation[@Shiba1972; @Micnas1990] $$c_{i \uparrow} \rightarrow c_{i \uparrow} \ \ \text{and} \ \ c_{i\downarrow} \rightarrow (-1)^{i} c_{i \downarrow}^\dagger \label{eq:shiba}$$ acts as a mapping of all physical observables between $U>0$ and $U<0$. In particular, the two SU(2) spin ($\vec{S}$) and pseudospin ($\vec{S}_p$) sectors, which are related to the respective suppressed channels on the attractive and repulsive side, are transformed into each other $$\begin{aligned}
\mathcal{S}_x &=& \frac{1}{2}[c_\uparrow^\dagger c_\downarrow + c_\downarrow^\dagger c_\uparrow] \leftrightarrow -\frac{1}{2}[c_\uparrow^\dagger c_\downarrow^\dagger + c_\downarrow c_\uparrow] = \mathcal{S}_{p,x} \nonumber \\
\mathcal{S}_y &=& \frac{i}{2}[c_\uparrow^\dagger c_\downarrow - c_\downarrow^\dagger c_\uparrow] \leftrightarrow \ \ \frac{i}{2}[c_\uparrow^\dagger c_\downarrow^\dagger - c_\downarrow c_\uparrow] = \mathcal{S}_{p,y} \label{Eq:SpinMap} \\
\mathcal{S}_z &=& \frac{1}{2}[c_\uparrow^\dagger c_\uparrow - c_\downarrow^\dagger c_\downarrow] \leftrightarrow \frac{1}{2}[c_\uparrow^\dagger c_\uparrow + c_\downarrow^\dagger c_\downarrow - 1] = \mathcal{S}_{p,z} \ . \nonumber \end{aligned}$$ This mapping of physical D.o.F. suggests that a similar “transformation" may as well apply to the vertex-divergences. However, as already noted in [@Rohringer2012; @DelRe2019], the mapping of [*generalized*]{} two-particle quantities, and especially of dynamical irreducible vertices, is more complex than Eq. would imply. We will see in the next section, how this is reflected in the appearance and the nature of the vertex divergences in attractive Hubbard model.
![image](DMFT_F-infty_FirstAndSecond_DivergenceLine){width="85.00000%"}
Vertex divergences of the attractive Hubbard model {#sec:phasediag}
==================================================
DMFT results {#subsec:DMFTResults}
------------
We start our analysis of the vertex functions and their divergences in the attractive Hubbard model by presenting our DMFT calculations at the two-particle level[^2] performed with a continuous time quantum Monte Carlo (CTQMC) impurity solver in the hybridization expansion[@Gull2011a], precisely, the *w*$2$*dynamics*-package [@w2dynamics].
The main outcome of our DMFT calculations are summarized in Fig. \[Fig:1\], where we report the location of the vertex divergences found for different values of the local attraction $U <0$ and the temperature $T$ (left side), compared against the corresponding results for the repulsive case $U >0$ (right side). In the large $|U|$ regime our numerical results are consistent with analytical calculations[@Thunstroem2018] in the atomic limit. Furthermore, in the whole repulsive sector, we also reproduce [^3] the outcome of previous DMFT studies[@Schaefer2013; @Schaefer2016c], finding multiple lines in the $U$-$T$ plane, where the irreducible vertex diverges. As already observed[@Schaefer2016c], the first divergences are located at moderate repulsion values, well before the Mott-Hubbard MIT. With increasing interaction the occurrence of divergence lines becomes more dense, and the lines occur in alternating order starting with a divergence in the density channel (red lines) followed by a simultaneous divergence in the density and $pp$ channel (orange lines).
In the case of [*attractive*]{} interaction, our DMFT results show the following: We find vertex divergences in the density channel ([*red*]{} lines), which are perfectly mirrored with respect to the repulsive side. These occur in alternating order with lines of divergences in the magnetic channel ([*green*]{} lines), which mirror, instead, the [*orange*]{} divergence lines of the repulsive model. As a consequence, the overall location of the vertex divergences looks highly symmetric when comparing the repulsive and the attractive sides of the phase diagram.
At first sight this symmetry may appear rather surprising, because the physical properties of a given scattering channel in the repulsive and the attractive model are very different[@Micnas1990; @Taranto2012; @Tagliavini2016], as dictated by the mapping of the physical degrees of freedom (cf. Eq. and Fig. \[Fig:1\]). At a closer look, we can distinguish the situation of the three-times degenerate divergences found at the orange and green lines, respectively, from that of the single degenerate divergences found at the red lines, occurring in the density sector only. Specifically, the mapping of the combined divergences in the $pp$ and density sector (orange lines) into divergences of the magnetic sector (green lines) is fully matching our physical expectations that (i) divergences play a role in the suppression of a scattering channel and that (ii) they are mapped consistently with the physical D.o.F., i.e. according Eq. . At the same time, the perfect mirroring of the [*density*]{} divergence lines (red) under the $U \leftrightarrow - U$ transformation looks puzzling, because (i) for $U < 0$, these divergences affect a scattering channel associated to a physical susceptibility, which is not suppressed but [*enhanced*]{} by the attractive interaction, and (ii) the physical degrees of freedom associated to the density channel is mapped onto one of the three spin-components.
A first understanding of this apparent discrepancy is provided by the analysis of the symmetry of the eigenvectors associated to a vanishing eigenvalue ($\lambda^r_{\alpha} =0 ~ \text{for} ~ \ell=\alpha$ in Eq. (\[eq:InvChiEVSpectrum\])). In Figure \[Fig:2\] we compare the shape of eigenvectors following the first and second divergence lines at different temperatures for $U\lessgtr0$. Evidently, the perfect mirroring of divergence lines is also reflected in identical shapes of the eigenvectors associated to a vanishing eigenvalues for $U\lessgtr0$. The singular eigenvectors associated to [*all*]{} divergences in the density sector only (red lines), display a completely [*antisymmetric*]{} frequency structure \[$V_\ell(-\nu) \! = \! - V_\ell(\nu)$\]. In contrast, all other divergence lines (green and orange lines) are associated to frequency [*symmetric*]{} singular eigenvectors \[$V_\ell(-\nu) \! = \! V_\ell(\nu)$\].
The symmetry of eigenvectors is clearly essential in the calculation of the physical susceptibility, as can be seen quickly in Eq.. Due to the summation over Matsubara frequencies, the actual value of $\chi_r$ is [*independent*]{} from any antisymmetric eigenvector, irrespective of whether associated to a positive or a negative eigenvalue. Hence, the appearance of negative eigenvalues in a channel is [*not*]{} necessarily associated to a suppression of the respective physical susceptibility. While in the [*repulsive*]{} model the occurrence of divergences and the suppression of the respective channel, maybe incidentally, coincide, our calculations of the [*attractive*]{} model provide a clear-cut counter-example: the crossing of several divergence lines in the density sector is accompanied by an [*enhanced*]{} susceptibility.
To rationalize the results of our two-particle DMFT calculations on more general grounds, we investigate the effect of the attractive-repulsive mapping on generalized two-particle quantities and its relation the physical symmetries of the system under consideration.
![ Comparison of the singular eigenvectors $V^r_\alpha$ in the repulsive and the attractive case, plotted as a function of the Matsubara index $N=\nu \frac{\beta}{\pi}$. The upper \[lower\] panel shows perfectly identical singular antisymmetric \[symmetric\] eigenvectors located at different temperatures along the first \[second\] attractive (left) and first \[second\] repulsive (right) divergence line.[]{data-label="Fig:2"}](DMFT_F-infty_Attractive_Eigenvectors_FirstLine_Density_final "fig:"){width="23.00000%"} ![ Comparison of the singular eigenvectors $V^r_\alpha$ in the repulsive and the attractive case, plotted as a function of the Matsubara index $N=\nu \frac{\beta}{\pi}$. The upper \[lower\] panel shows perfectly identical singular antisymmetric \[symmetric\] eigenvectors located at different temperatures along the first \[second\] attractive (left) and first \[second\] repulsive (right) divergence line.[]{data-label="Fig:2"}](DMFT_F-infty_Repulsive_Eigenvectors_FirstLine_Density_final "fig:"){width="23.00000%"} ![ Comparison of the singular eigenvectors $V^r_\alpha$ in the repulsive and the attractive case, plotted as a function of the Matsubara index $N=\nu \frac{\beta}{\pi}$. The upper \[lower\] panel shows perfectly identical singular antisymmetric \[symmetric\] eigenvectors located at different temperatures along the first \[second\] attractive (left) and first \[second\] repulsive (right) divergence line.[]{data-label="Fig:2"}](DMFT_F-infty_Attractive_Eigenvectors_SecondLine_Magnetic_final "fig:"){width="23.00000%"} ![ Comparison of the singular eigenvectors $V^r_\alpha$ in the repulsive and the attractive case, plotted as a function of the Matsubara index $N=\nu \frac{\beta}{\pi}$. The upper \[lower\] panel shows perfectly identical singular antisymmetric \[symmetric\] eigenvectors located at different temperatures along the first \[second\] attractive (left) and first \[second\] repulsive (right) divergence line.[]{data-label="Fig:2"}](DMFT_F-infty_Repulsive_Eigenvectors_SecondLine_PP_final "fig:"){width="23.00000%"}
The role of the underlying symmetries {#subsec:symmetries}
-------------------------------------
As mentioned at the end of Sec.\[sec:model\], the mapping of the [*generalized*]{} two-particle quantities is less obvious than the mapping of the physical D.o.F..
When considering purely local quantities, the single-particle Green’s function $G(\tau_1,\tau_2)$ is identical for the repulsive ($U>0$) and attractive ($U<0$) half-filled model, while the two-particle Green’s function $G_{\uparrow \downarrow}(\tau_1,\tau_2,\tau_3,\tau_4)$, i.e. the first time-ordered product appearing on the right hand side of Eq., with anti-parallel spin orientation transforms[@Rohringer2012; @Rohringer2013a] according to $$G^{(U)}_{\uparrow \downarrow}(\tau_1,\tau_2,\tau_3,\tau_4) = -G^{(-U)}_{\uparrow \downarrow}(\tau_1,\tau_2,\tau_4,\tau_3),$$ which, after Fourier transformation of all fermionic variables, reads $$G^{(U)}_{\uparrow \downarrow}(\nu_1,\nu_2,\nu_3) = -G_{\uparrow \downarrow}^{(-U)}(\nu_1,\nu_2,-\nu_4)$$ with $\nu_4 = \nu_1 - \nu_2 + \nu_3$. After changing to the $ph$-notation, as defined in Eq. , ($\nu_1=\nu$, $\nu_2=\nu+\Omega$, $\nu_3=\nu'+\Omega$, $\nu_4=\nu'$) one can easily see how the transformation maps the generalized static ($\Omega=0$) susceptibility, $\chi^{\nu,\nu'}_{\uparrow \downarrow}= G_{\uparrow \downarrow}(\nu, \nu, \nu')$ of the $\uparrow\downarrow$ sector according to $$\label{eq:mapping_chi_U}
\chi^{\nu \nu'}_{\uparrow \downarrow}\, \overset{U\leftrightarrow(-U)}{\Longleftrightarrow} \, -\chi^{\nu (-\nu')}_{\uparrow \downarrow},$$ while $\chi_{\uparrow \uparrow}$ is obviously invariant under a partial particle-hole transformation.
Hence, in general, the Shiba transformation on the two-particle level will [*mix*]{} the different (particle-hole) channels of generalized susceptibilities and the associated irreducible vertices. In particular, one sees that [*only*]{} the mapping of the generalized susceptibility expressed in the $pp$ notation $$\chi^{\nu (-\nu')}_{pp,\uparrow\downarrow} - \chi_{0,pp}^{\nu \nu'} \,
\overset{U\leftrightarrow(-U)}{\Longleftrightarrow} \, \chi^{\nu \nu'}_{m}
\label{eq:mapping_chi_pp}$$ reflects[@Rohringer2012; @Rohringer2013a; @DelRe2019] the transformation of the physical (spin/pseudospin) degrees of freedoms, discussed in Eq., in a direct fashion.
As the location of divergence lines is directly encoded in the generalized susceptibilities, it will be also subject to the mixing of channels, explaining the differences w.r.t. the mapping of the physical degrees of freedom, discussed in Sec.\[sec:model\]. To fully rationalize the results observed in Sec.\[subsec:DMFTResults\], we will focus on the symmetry properties of the generalized susceptibilities. In this respect we note, that Eq. (\[eq:mapping\_chi\_pp\]) shows already why the mirrored divergences of the particle-particle $\uparrow\downarrow$ channel for $U>0$ are observed in the magnetic channel for $U<0$. Hence, the main question concerns the behavior of the particle-hole channels.
We start by considering the (spin resolved) generalized susceptibility $\chi^{\nu \nu' \Omega}_{\sigma \sigma'}$, as defined in Eq. (\[equ:form\_gen\_chi\]). Due to the particle-hole (PH) symmetry of the system considered here, $\chi^{\nu \nu' \Omega}_{\sigma \sigma'}$ has all real entries. Exploiting the time-reversal (TR)- and the SU(2)-symmetry of the problem $$\begin{aligned}
\big( \chi_{\sigma\sigma'}^{\nu \nu' \Omega} \big)^* \overset{\scalebox{0.6}{PH}}{=}
\chi_{\sigma\sigma'}^{\nu \nu' \Omega }
\overset{\scalebox{0.6}{TR}}{=} \chi_{\sigma'\sigma}^{\nu'\nu \Omega}
\overset{\scalebox{0.6}{SU(2)}}{=} \chi_{\sigma\sigma'}^{\nu' \nu \Omega} \ .
\label{eq:chisym1}\end{aligned}$$ it is evident that $\chi^{\nu \nu' \Omega}_{\sigma \sigma'}$ is a symmetric matrix of $\nu$ and $\nu'$. Relation ensures that all matrix entries and all eigenvalues remain real for any $\Omega$.
Another symmetry relation can be obtained by exploiting the complex conjugation (CC) of $\chi^{\nu \nu' \Omega}_{\sigma \sigma'}$. For $\Omega\!=\!0$ it can be shown that the generalized susceptibility is invariant under the rotation of the matrix along both of its cardinal axes ($\nu\!\rightarrow\!-\nu, \nu'\!\rightarrow\!-\nu'$) $$\begin{aligned}
\label{eq:symm_chi}
\chi_{\sigma\sigma'}^{\nu \nu'} \overset{\scalebox{0.6}{PH}}{=} \big( \chi_{\sigma\sigma'}^{\nu \nu'} \big)^*
&\overset{\scalebox{0.6}{CC}}{=}& {\chi_{\sigma'\sigma}^{(-\nu') (-\nu)} }
\overset{\scalebox{0.6}{TR}}{=} {\chi_{\sigma\sigma'}^{(-\nu) (-\nu')}} \ .\end{aligned}$$ A matrix obeying the conditions $$\begin{aligned}
\label{eq:centrosymm_chi}
\chi_{\sigma\sigma'}^{\nu \nu'} = \chi_{\sigma\sigma'}^{(-\nu) (-\nu')} \quad \text{and} \quad \chi_{\sigma\sigma'}^{\nu \nu' } = \chi_{\sigma\sigma'}^{\nu' \nu} \end{aligned}$$ is a so-called [*bisymmetric*]{} matrix, where the matrix elements are symmetric with respect to [*both*]{} the main diagonal ($\nu = \nu'$) as well as the secondary diagonal ($\nu=-\nu'$). Essentially, this particular symmetry is at the core to understand the mapping of divergence lines.
A bisymmetric matrix can always be diagonalized in blocks (here associated to positive/negative Matsubara frequencies), by applying an orthogonal matrix $Q$, defined in terms of the counteridentity $(J^{\nu,\nu'}\!=\!\delta_{\nu (-\nu')}$) and identity submatrix $\mathbb{1}$ (see Appendix \[Appendix:BlockDiag\] for more details) $$Q=\frac{1}{\sqrt{2}}
\begin{pmatrix}
\mathbb{1} & -J \\
\mathbb{1} & J
\end{pmatrix}
\quad , \quad
Q\chi_rQ^T =
\begin{pmatrix}
\text{A} & \vline & 0 \\
\hline
0 & \vline & \text{S} \\
\end{pmatrix} \ .
\label{Eq:Subspaces}$$ The block-diagonalization of $\chi_r$ is associated with precise symmetry properties: the subspace denoted by A represents a submatrix with exclusively antisymmetric eigenvectors, while S is the subspace of purely symmetric eigenvectors. As a consequence, one can attribute, unambiguously, the occurrence of a red divergence line in $\chi_d$ to the purely antisymmetric subspace A, while all other divergence lines will be accounted for by the symmetric subspace S.
![image](DMFT_F-infty_Beta5_CrossU_ChargeFull.pdf){width="43.00000%" height="33.00000%"} ![image](DMFT_F-infty_Beta5_CrossUFull.pdf){width="43.00000%" height="33.00000%"}
A crucial ingredient for connecting the bisymmetry of the generalized susceptibilities to the mapping of divergence lines lies in the equivalence of the Shiba transformation for $\chi^{\nu\nu'}_{\uparrow \downarrow}$ to a matrix multiplication with the negative counteridentity matrix $(-J)$ $$\begin{aligned}
\label{eq:mapping_chi_U}
\chi^{\nu\nu'}_{\uparrow \downarrow,(U)}(-J) =
-\chi^{\nu(-\nu')}_{\uparrow \downarrow,(U)} = \chi^{\nu\nu'}_{\uparrow \downarrow,(-U)} \ .
\label{eq:JMap}\end{aligned}$$ Combining Eq. , and the fact that $J^2=\mathbb{1}$ one can prove (see Appendix \[App:equality\]) the remarkable result, that the antisymmetric sector A remains [*invariant*]{} under $U\!\leftrightarrow\!-U$ for all $\chi_r$. This explains why the red divergence lines ($\chi_d$) and their associated antisymmetric eigenvectors are perfectly mirrored on both sides of the phase-diagram in Fig.\[Fig:1\] and Fig. \[Fig:2\]. At the same time one finds that the symmetric parts (S) of $\chi_d$ and $\chi_m$ are [*mapped into one-another*]{} for $U\!\leftrightarrow\!-U$, therefore connecting the symmetric divergences, and the corresponding eigenvectors, appearing in $\chi_d^{U>0}$ (orange) and in $\chi_m^{U<0}$ (green).
Let us stress at this point that the proof made in Appendix \[App:equality\] applies not only to singular eigenvalues, which are connected to divergence lines, but to [*all*]{} eigenvalues and eigenvectors of $\chi^{\nu\nu'}_{r}$. In this way, we have extended the mapping relation known for $\chi^{\nu\nu'}_{pp,\uparrow\downarrow}$ to the whole particle-hole sector, clarifying the relation with the mapping of the physical D.o.F.: the antisymmetric subspace A, not contributing to the sum for the physical susceptibility in Eq., is [*invariant*]{} under the Shiba transformation, while the symmetric subspace is found to transform in accordance with Eq..
As we have illustrated, the particle-hole symmetry plays a central role in determining the mirroring properties of the generalized susceptibilities. If one relaxes this constraint, the relations in Eq. no longer hold in the particle-hole sector and, therefore, the bisymmetry is lost and eigenvalues are not necessarily real. This implies, in turn, that the eigenvectors of the corresponding $\chi_r$ are not necessarily symmetric or antisymmetric any longer. At the same time, it is important to stress, that even in the absence of PH-symmetry (e.g. out of half-filling) $\chi^{\nu \nu'}_{pp, \uparrow\downarrow}$ continues to fulfill[@Thunstroem2018] both relations in Eq. , ensuring the validity of all associated properties (i.e. real eigenvalues as well as bisymmetry and associated properties).
High-Temperature Limit
----------------------
To exemplify the concepts discussed in the previous section, we performed DMFT calculations in the high-temperature regime ($\beta\!=\!5$), where the frequency structure of the two-particle generalized susceptibilities strongly simplifies. Due to the large stepsize on the Matsubara frequency grid, most information of the system is encoded in the central $2\times2$ matrix. The analysis of the divergences can be then restricted[@Gunnarsson2016] to the innermost $2\! \times \! 2 $ matrix defined by the smallest Matsubara frequecies ($\nu, \nu'= - \frac{\pi}{\beta}, \frac{\pi}{\beta}$).
For a $2 \times 2$ case, the bisymmetry condition (see III B) poses significant constraints on the matrix elements and a singularity can be realized only in two ways: $$\begin{aligned}
\chi_r^{\lambda_A=0}&=&
\left(\begin{array}{cccc}
\colorbox{red!15}{\color{black!100}{a}} & \colorbox{red!15}{\color{black!100}{a}} \\
\colorbox{red!15}{\color{black!100}{a}} & \colorbox{red!15}{\color{black!100}{a}} \\
\end{array}\right)
\label{Eq:Centro1}\end{aligned}$$ which corresponds to the (anti-symmetric) singular eigenvector $V_A (\nu) \propto \, \delta_{\nu,\frac{\pi}{\beta}} - \delta_{\nu, -\frac{\pi}{\beta}}$, and $$\begin{aligned}
\chi_r^{\lambda_S=0}&=&
\left(\begin{array}{cccc}
\colorbox{blue!15}{\color{black}{$\mp b$}} & \colorbox{red!15}{\color{black}{$\pm b$}} \\
\colorbox{red!15}{\color{black}{$\pm b$}} & \colorbox{blue!15}{\color{black}{$\mp b$}} \\
\end{array}\right)
\scriptsize
\normalsize
\label{Eq:Centro2}\end{aligned}$$ with $a, b> 0$, corresponding to a (symmetric) singular eigenvector $V_S (\nu) \propto \, \delta_{\nu,\frac{\pi}{\beta}} + \delta_{\nu, -\frac{\pi}{\beta}}$.
On the basis of these considerations, we analyze the $U$-dependence of the diagonal ($\chi_r^D$) and off-diagonal ($\chi_r^O$) elements of the $2\!\times\!2$ lowest frequency-submatrix of the generalized susceptibility, extending the study of Ref. \[\] to the attractive case. The corresponding data are reported in Fig. \[Fig:MatElTrendb5\] for the density (left) and the magnetic/pp sectors (right).
A general trend can be readily identified: Upon increasing $|U|$ all diagonal matrix elements ($\chi_r^D$) eventually [*decrease*]{}, while the off-diagonal elements ($\chi_r^O$) mostly [*increase*]{} in absolute values, for the considered interaction regime. The decrease of $\chi_r^D$ upon increasing $|U|$ is dominated by the bubble term ($\propto - \beta \,G(\nu)G(\nu') \, \delta_{\nu \nu'}$), reflecting the suppression of the single particle Green’s function $G(\nu)$ at low-frequencies. Vertex corrections are responsible for the asymmetry of the damping effects on $\chi_r^D$ with respect to $\pm U$ as well as for differentiating its size between the different sectors.
In particular, we find the following behavior for the [*diagonal*]{} entries: (i) the decrease-rate with $|U|$ of $\chi_r^D$ is stronger in those channels that correspond to a suppressed susceptibility, (ii) $\chi_d^D$ decreases faster compared to the other two channels and even turns negative for large $U>0$, where density fluctuations are suppressed.
The [*off-diagonal*]{} matrix elements are obviously zero in the non-interacting case ($U=0$) and for small values of $U$ yield positive/negative corrections to the enhanced/suppressed susceptibilities. For large $U$ values this behavior is preserved in the $m$ and $pp$ channel. An exception is the suppressed density channel where $\chi_d^O$ displays a strong increase, becoming positive again.
From these observations, we conclude that the suppression/enhancement of a static physical susceptibility is controlled by the interplay of suppressed diagonal entries and the enhanced magnitude of the (positive/negative) off-diagonal terms.
Due to the considerably milder damping of the diagonal entries in the magnetic and the $pp$ sector, one always finds that $\chi_r^D > \chi_r^O$, with $r=m,pp$. Therefore only singularities of the second kind ($\chi_r^D = - \chi_r^O$, s. Eq. (\[Eq:Centro2\])) can occur in these channels. This implies that singularities of the second kind can occur exclusively in sectors of suppressed susceptibilities.
On the contrary, the much stronger damping of $\chi_d^D$ plays a crucial role in suppressing the density fluctuations for $U>0$. For $U<0$ this decrease of $\chi_d^D$ is outperformed by an even stronger increase of $\chi_d^O$ in order to describe the corresponding enhancement of $\chi_d$. As one can easily see in Fig. \[Fig:MatElTrendb5\], these conditions allow divergences of the first kind with $\chi_d^D = \chi_d^O$ (compare Eq. ), to occur specularly on [*both*]{} sides of the phase-diagram. In fact, frequency-antisymmetric divergences are the only one to be expected in sectors of enhanced physical susceptibilities, because in this regime, [*both*]{} diagonal and off-diagonal components of $\chi_r^{\nu,\nu'}$ have the same (positive) sign.
Spectral representations of physical susceptibilities {#sec:spectral}
=====================================================
The relation between generalized and physical susceptibilities emerging from our numerical and analytical analysis can be illustrated in a physically more insightful way. As all eigenvalues in Eq. (\[eq:ChiSpectrum\]) are real, we introduce a [*susceptibility density*]{} ($\rho(\chi)$) defined as $$\rho_r(\chi) = \sum_\ell \left\vert \sum_{\nu} V^r_\ell(\nu) \right\vert^2 \delta(\chi - \lambda^r_\ell) \geq 0
\label{e1}$$ from which the local physical susceptibility is readily obtained as an average over $\rho_r(\chi)$: $$\langle \chi_r \rangle = \int \chi \, \, \rho_r(\chi) \, d\chi \ .
\label{eq2}$$ This representation has several advantages: Equations (\[e1\]) and (\[eq2\]) enable to distinguish immediately between positive ($\lambda^\ell>0, \rho(\lambda^\ell)>0$), negative ($\lambda^\ell<0, \rho(\lambda^\ell)>0$) and vanishing ($\lambda^\ell=0$ or $\rho(\lambda^\ell)=0$) contributions to the static response $\chi_r$. Further, its graphical conciseness will allow to comprehend, at a single glance, how the mapping of the generalized susceptibilities works for the different cases, highlighting the most relevant physical implications.
![image](DMFT_RhoChim_beta50_LogWeighted_U216ppMapped){width="32.00000%"} ![image](DMFT_RhoChic_beta50_LogWeighted_U216Mapped){width="32.00000%"} ![image](DMFT_RhoChipp_beta50_LogWeighted_U216){width="32.00000%"}
The introduced representation is applied here to analyze our susceptibility data after crossing four divergence lines at two mirrored positions in the phase diagram (light-blue stars in Fig.\[Fig:1\]).
The corresponding results are shown in the three plots of Fig. \[Fig:Densities\], representing the three scattering channels. Here, the positions of all eigenvalues $\lambda_\ell^r$ are shown as bars in the light-blue shaded innermost panels of the three plots: [*Gray bars*]{} indicate eigenvalues associated to antisymmetric eigenvectors and thus to a vanishing $\rho_r$ which does [*not*]{} contribute to $\chi_r$, [*Colored bars*]{} account for eigenvalues associated to finite $\rho_r(\lambda_\ell^r)$ values, corresponding to symmetric eigenvectors whose weighted sum builds up the full $\chi_r$. The actual value of the susceptibility-density $\rho_r$ for a given eigenvalue is indicated by the circle-symbols in the outermost panels of the plots in Fig. \[Fig:Densities\]. The color-shaded regions slightly above $\chi\!\sim \! 0$ represent an increasingly denser distribution of small positive eigenvalues, arising from the high-frequency behavior of $\chi_r^{\nu \nu} \propto \, \frac{1}{\nu^2} \, \delta^{\nu\nu'}$. It can be shown that this (essentially non-interacting) large-$\nu$ feature induces a van Hove singularity in the $T \rightarrow 0$ behavior of $\rho_r(\chi) \simeq 1/\chi^{-3/2}$ for $\chi \rightarrow 0$ (See Appendix \[App:BM\]).
The three plots of Fig. \[Fig:Densities\] graphically combine [*all*]{} aspects of the attractive-repulsive mapping of the generalized susceptibilities and allow a comprehensive understanding at a single glance.
The location of the colored bars together with the corresponding values of $\rho_r(\chi)$ are transformed fully consistently with the mapping of the physical D.o.F.. In accordance with our results in Sec. IIIB, not only the physical susceptibility, but the entire distribution $\rho_r(\chi)$ of the identical density and $pp$ (pseudospin) sectors are mapped onto the magnetic (spin) sector and vice versa.
On the contrary, the positions of the gray bars of each channel are [*unchanged*]{} in the $+U$ and $-U$ cases, reflecting the perfect [*invariance*]{} of the antisymmetric subspaces of all generalized $\chi_r$ under the mapping. We note that the identical location of the gray bars in the magnetic and the $pp$ channel reflects the fact that the [*entire*]{} generalized susceptibility sectors are transformed exactly as the physical degrees of freedom (compare Eq. ).
On the other hand, the different locations of gray bars in the density sector compared to the other channels explain the non-trivial mapping properties of $\chi_{d}^{\nu\nu'}$ and of the corresponding irreducible vertices.
These general observations allow for a remarkable rationalization of the problem. Any suppressed local physical susceptibility can be associated to a [*unique*]{} susceptibility-density $$\rho_{sup} (U)\!=\!\rho_{m}^{U<0}\!=\!\rho_{d}^{U>0}\!=\!\rho_{pp}^{U>0} \ .
\label{eq:rhosup}$$ Obviously, by replacing $U$ with $-U$ in Eq. , a similar property holds for all enhanced susceptibility densities $$\rho_{enh}\!(U)= \rho_{sup}(-U) =\!\rho_{m}^{U>0}\!=\!\rho_{d}^{U<0}\!=\!\rho_{pp}^{U<0} \ .
\label{eq:rhoenh}$$
The comparison of the attractive and repulsive panels of each channel in Fig. \[Fig:Densities\] indicates as an overall trend, that the suppression of a susceptibility is associated to a systematic shift of the [*colored*]{} bars towards smaller values, as well as with a change of the weight distribution, where the highest values of $\rho_{sup}$ are associated with the lowest eigenvalues. This supports the physical picture that an interaction-driven suppression of a static local susceptibility is connected to an increasing number of negative eigenvalues and therefore with the crossing of multiple vertex divergences. This corresponds to a loose generalization of the self-energy behavior at the 2P level, as discussed in Sec. \[sec:model\]. At the same time, this demonstrates why the “reverse" implication of the above physical picture is not correct. The perfect [*invariance*]{} of the gray bars under the mapping, whose physical content is totally decoupled from the static susceptibility, implies the perfect mirroring of all red-lines where only the density channel is singular (Fig. \[Fig:1\]). Hence, the occurrence of red divergence lines is [*independent*]{} of the behavior of the corresponding susceptibility as well as of the SU(2)$\times$SU(2) symmetry properties of the model considered.
Finally, important quantitative information can be also gained from Fig. \[Fig:Densities\]. By analyzing the behavior of the enhanced susceptibilities, it is evident that $\rho_{enh}$ is dominated by the contribution of a [*single*]{} term: the one associated to [*largest*]{} eigenvalue $\lambda^{max}$. This property is illustrated in Fig. \[Fig:ChargeTrend\], where we compare the actual values of $\chi_d $ and $\chi_m$ obtained from Eq. with the case where the summation in Eq. is reduced to the largest eigenvalue only. The contribution from the largest eigenvalue $\lambda_{max}$ very well reproduces the trend across the entire repulsive and attractive regime and even well approximates the actual value of the static susceptibilities $ \chi_d$ and $\chi_m$ in their respective enhanced regions. Since the relation $V_{enh}^{max}=V_m^{max}=V_{d}^{max}=V_{pp}^{max}$ follows from the proof in Appendix \[App:equality\] and Eq. \[eq:mapping\_chi\_pp\], the value of [*all*]{} physical susceptibilities in their respective enhanced regions can be well approximated by $$\langle \chi_{r} \rangle \sim \lambda^{max} \left\vert \sum_{\nu} V^{max}_{enh}(\nu) \right\vert^2\ .$$ According to this relation, the Curie-Weiss behavior of any static local susceptibility in the strong-coupling regime can be ascribed to the evolution of the corresponding $\lambda^{max}$ and the associated eigenvector.
![Comparison of the static density $\chi_d(\Omega=0)$ (red) and magnetic $\chi_m(\Omega=0)$ (green) susceptibility with the contribution of the largest eigenvalue only, as a function of the attractive/repulsive Hubbard interaction $U$ at $T=0.2$. In the bottom of the plot, the lowest eigenvalue of $\chi_d^{\nu \nu'}$ is shown. The evolution of the lowest eigenvalues ($\lambda^{min}_d$, in dark gray) is completely decoupled from the behaviour of the static susceptibility.[]{data-label="Fig:ChargeTrend"}](DMFT_F-infty_RepAtt_Trends_Eigenvalue_Contributions_Charge){width="45.00000%"}
Physical and algorithmic consequences {#sec:consequences}
=====================================
The numerical and analytical results of the previous sections allow us to draw some relevant conclusions on algorithmic and physics implications of vertex divergences.
As we have seen, [*only*]{} divergences associated to symmetric singular eigenvectors reflect an interaction-driven suppression of the corresponding static susceptibility. Our DMFT study of the attractive Hubbard model provides, indeed, a clear example where vertex divergences associated with antisymmetric singular eigenvectors [*do* ]{} affect also the [*dominant*]{} scattering channel. This observation has direct implications for the usage of parquet-based schemes in the non perturbative regime, such as, e.g., D$\Gamma$A[@Toschi2007] and QUADRILEX[@Ayral2016].
In fact, if the occurrence of vertex divergences could be completely confined to the secondary scattering channels, with suppressed scattering and fluctuations, their appearance could be exploited as an useful “indicator" that this channel can be safely neglected. This would considerably simplify the parquet treatment of the problem under investigation (e.g. reducing the parquet treatment to some effective BSE-based algorithm). Evidently, the occurrence of divergences in the dominant channels prevents a straightforward implementation of this idea. Hence, other ways to address this problem should be followed, such as the combination of fRG and DMFT, ($\text{DMF}^2\text{RG}$) [@Taranto2014] or the single-boson exchange (SBE) approach[@Krien2019SBE].
At the same time, the antisymmetric nature of the divergences occurring in the dominant channels will not hinder the applicability of post-processing schemes of non-perturbative results based on the parquet equations (e.g. the parquet-decomposition of the self-energy[@Gunnarsson2016]), since the potentially dangerous effects of such divergences will be cancelled out by the internal summation over fermionic variables. This might suggest alternative strategies to circumvent the divergences occurring in the major channels, even at the level of parquet solvers[@Tam2013; @Valli2015; @Wentzell2016; @Li2016; @Kauch2019], by exploiting the odd symmetry properties of their frequencies (and/or momentum[@Gunnarsson2016]) structures.
We should also note that the divergences associated to antisymmetric eigenvectors are the [*first*]{} to be encountered upon increasing the interaction, independent of the interaction sign. As they affect the density channel, diagrammatic Monte Carlo algorithms based on [*bold resummations*]{} are likely going to encounter difficulties of formal convergence towards unphysical solutions for repulsive[@Kozik2015] as well as attractive interactions.
It is important to stress that our results (and in particular that of Sec. III B and Sec. IV) do not only apply to the singular eigenvalues and eigenvectors. Instead, they fully define the effects of the Shiba mapping on all generalized two-particle quantities: The symmetric subspaces of $\chi_r$ are transformed exactly [*in the same way*]{} as the physical D.o.F., while the antisymmetric subspaces remain [*invariant*]{}.
On the basis of these considerations, and consistently with the total decoupling of the antisymmetric eigenvectors from the static susceptibilities (see Secs. IIIB and IV), one would be tempted to associate the whole physically relevant information with the symmetric subspace of the generalized susceptibilities. However, this is not true in general. In fact, while the antisymmetric subspace of $\chi_{r}$ does not contribute at all to the corresponding static susceptibility, it can affect the behavior of other physical quantities.
A pertinent example are energy-energy correlation-functions, i.e. response functions which explicitly contain first-order time-derivatives (i.e., $i\hbar \frac{d}{d t} = - \hbar \frac{d}{d \tau} = \hat{H}$) such as the thermal conductivity[^4]. By Fourier transforming the (imaginary) time-derivative, one gets an additional linear dependence of the generalized response on the two fermionic Matsubara frequencies $\nu$, $\nu'$. This additional frequency dependence essentially inverts the symmetry effects in the final fermionic frequency summations, hence allowing for contributions arising from the antisymmetric subspace.
Finally, we note that if symmetries of the problem are lifted (e.g. by doping the system, considering further hopping terms or applying a magnetic field, etc.), correspondent changes must be expected. The high-symmetry case we considered in this work will represent then a good “compass" to interpret the observed deviation. For instance, doping the model with electron/holes will break the SU(2) symmetry of the pseudospin D.o.F., and one will observe a corresponding splitting of the degeneracy of the “orange" (pseudospin) divergences lines, with a different location of the singularities in the density and in the $pp$ channel. For the $pp$ channel however, the internal symmetry subdivision into fully symmetric and anti-symmetric subspaces will continue to hold. Similarly, the three-fold degenerate divergences in the magnetic channel will be split, if the SU(2) symmetry is lifted by applying a magnetic field.
Conclusion
==========
In the present work we conducted a comparative DMFT analysis to understand the location and physical role of vertex divergences occurring in the two-particle vertex correlation functions of the repulsive and attractive Hubbard model. Our calculations show that the location of divergences of two-particle irreducible vertices is perfectly symmetric in the attractive and repulsive Hubbard model. This result partly contradicts the expectation from the one-particle picture, where a divergence of the self-energy is accompanied by the suppression of the one-particle Green’s function. In particular the symmetric occurrence of singular eigenvalues in $\chi^{\nu \nu'}_d$ for $U\!\lessgtr \! 0$ shows, that divergences of the two-particle self-energy $\Gamma$ do not necessarily occur in physically suppressed channels.
By considering the specific symmetries that apply in the presently considered system, we show that the antisymmetric and symmetric subspaces behave differently under the $U\!\leftrightarrow\!-U$ transformation. The antisymmetric part of the generalized susceptibilities is [*invariant*]{} under the Shiba transformation, hence explaining the perfectly mirrored divergence (“red") lines in the density sector, while for the symmetric subspace on the other hand, the density, particle-particle and magnetic channels are mapped into each other for $U\leftrightarrow-U$.
Therefore, we confirm that the interaction-driven suppression of a static local susceptibility is generally accompanied by an increasing number of negative eigenvalues, [*if*]{} they are associated to symmetric eigenvectors, which actively contribute to the suppression of the channel. However, the reversed implication, that the occurrence of negative eigenvalues is in general indicative of the suppression of a channel, is [*not*]{} valid, because of the antisymmetric divergence lines being invariant under $U\leftrightarrow -U$.
This suggests to represent the physically relevant information in terms of a susceptibility density distribution which naturally distinguish the symmetric from the vanishing antisymmetric eigenvector subspace. This representation allows to summarize the $U\!\leftrightarrow\!-U$ mapping behavior of the generalized susceptibilities and its relation to the mapping of the physical (spin and pseudospin) degrees of freedom at a single glance. Moreover, since the associated spectral distribution is identical for all suppressed as well as all enhanced channels, the introduced representation provides a universal description of [*all*]{} physical susceptibilities relevant for this problem.
Further studies are required to clarify the role of the [*antisymmetric*]{} subspace for other physical quantities such as the thermal conductivity, the effect of a progressive reduction of the symmetry conditions and, on a broader perspective, the relation with the non-equilibrium properties of the system under investigation.
[*Acknowledgments:*]{} We are indebted for insightful discussions with Sabine Andergassen, Massimo Capone, Lorenzo Del Re, James Freericks, Anna Kauch, Olle Gunnarsson, Andreas Hausoel, Cornelia Hille, Friedrich Krien, Erik van Loon, Matthias Reitner, Georg Rohringer, Thomas Schäfer, Agnese Tagliavini, Patrik Thunström, and Angelo Valli. We acknowledge financial support from the Austrian Science Fund (FWF) through the projects: SFB ViCoM F41 (DS) and I 2794-N35 (PC, AT). Calculations have been performed on Vienna Scientific Cluster (VSC).
Bisymmetric Matrices {#App:CentrosymmetricMatrices}
====================
The following part is a short summary of mathematical literature on bisymmetric and centrosymmetric matrices. It is reported here to present the reader the possibility to follow more easily the proof in part \[App:equality\].
Note that at this point we focus on the matrix properties related to Eq. , without taking into account that the matrix is also symmetric. In this case one speaks of [*centrosymmetric*]{} matrices.
In the following we consider a centrosymmetric matrix $H$, a $2n\times 2n$ matrix, where $n$ is the number of positive/negative fermionic Matsubara frequencies. As $H$ is a centrosymmetric matrix it fulfills the following condition:
$$\label{equ:def}
JHJ=H$$
where $J$ is the counteridentity matrix ($J^2=\mathbb{1}$), given in Eq. (\[equ:appix\_centrosymm\_J\]).
$$\label{equ:appix_centrosymm_J}
J=
\begin{pmatrix}
0 & \dots & 0 & 1 \\
\vdots &\reflectbox{$\ddots$} & \reflectbox{$\ddots$} & 0 \\
0 & 1 & \reflectbox{$\ddots$} & \vdots \\
1 & 0 & \dots & 0
\end{pmatrix}
=
\begin{pmatrix}
\mathbb{0} & J \\
J & \mathbb{0}
\end{pmatrix}$$
If $J$ is multiplied from the right it inverts the columns of a matrix, if it is multiplied from left the rows are inverted. As one can easily see, for $\chi_{\sigma\sigma'}^{\nu \nu'}$ this means
$$J\chi_{\sigma\sigma'}^{\nu \nu'}J=J\chi_{\sigma\sigma'}^{\nu (-\nu')} = \chi_{\sigma\sigma'}^{(-\nu) (-\nu')} = \chi_{\sigma\sigma'}^{\nu \nu'} \, ,$$
which is true for our case, see Eq. (\[eq:centrosymm\_chi\]) in the main text.
If H is a centrosymmetric matrix, the following condition holds, where the submatrices $A,B,C,D$ are $n\times n$ matrices.
$$\begin{aligned}
H=
\begin{pmatrix}
A & \vline & B \\
\hline
C & \vline & D
\end{pmatrix}
&\stackrel{(\ref{equ:def})}{=}&JHJ
\\
\begin{pmatrix}
A & \vline & B \\
\hline
C & \vline & D
\end{pmatrix}
&=&
\begin{pmatrix}
\mathbb{0} & J \\
J & \mathbb{0}
\end{pmatrix}
\begin{pmatrix}
A & \vline & B \\
\hline
C & \vline & D
\end{pmatrix}
\begin{pmatrix}
\mathbb{0} & J \\
J & \mathbb{0}
\end{pmatrix}
\\
&=&
\begin{pmatrix}
\mathbb{0} & J \\
J & \mathbb{0}
\end{pmatrix}
\begin{pmatrix}
BJ & \vline & AJ \\
\hline
DJ & \vline & CJ
\end{pmatrix}
\\
&=&
\begin{pmatrix}
JDJ & \vline & JCJ \\
\hline
JBJ & \vline & JAJ
\end{pmatrix}\end{aligned}$$
$$\Rightarrow D=JAJ \quad\&\quad B=JCJ$$
This means that the centrosymmetric matrix H can be written in the following form:
$$H=
\begin{pmatrix}
A & \vline & JCJ \\
\hline
C & \vline & JAJ
\end{pmatrix}$$
Eigenvalues and Eigenvectors {#eigenvalues-and-eigenvectors .unnumbered}
----------------------------
Centrosymmetric matrices have a very useful property. Their eigenvalues can be obtained from the diagonalization of specific combinations of the submatrices $A$ and $C$, corresponding to either symmetric or antisymmetric eigenvectors. This can be seen as follows:
Consider $\textbf{v}$, an eigenvector of $H$
$$\begin{aligned}
H\textbf{v} &=& \lambda\textbf{v} \quad \quad | \cdot J \rightarrow
\\
JH\textbf{v} &=& \lambda J\textbf{v}
\\
HJ\textbf{v} &=& \lambda J\textbf{v} \quad ,\end{aligned}$$
where we used Eq. and $J^2=\mathbb{1}$. From this it follows that $J\textbf{v}$ is also an eigenvector of H corresponding to the eigenvalue $\lambda$, i.e.
$$\begin{aligned}
J\textbf{v} = a\textbf{v} \quad ,\end{aligned}$$
with $a \neq 0$, being the eigenvalue of J and since J is an orthogonal matrix, $a=\pm 1$. This leads to antisymmetric or symmetric eigenvectors $\mathbf{v}$. In our terms this means that:
$$\textbf{v} =
\begin{pmatrix}
v \\
\hline
Jv
\end{pmatrix}
\quad or \quad
\begin{pmatrix}
v \\
\hline
-Jv
\end{pmatrix}
\quad with \quad
\begin{pmatrix}
\text{\small{neg. Matsubara}} \\
\text{\small{frequencies}} \\
\hline
\text{\small{pos. Matsubara}} \\
\text{\small{frequencies}}
\end{pmatrix}
\quad ,$$
where $\textbf{v}$ is a $2n\times 1$ vector and $v$ is a $n\times 1$ subpart of it.
Next, we consider $\lambda_S$, an eigenvalue corresponding to a symmetric eigenvector $H \textbf{v}_S = \lambda_S \textbf{v}_S$:
$$\begin{aligned}
\begin{pmatrix}
A & JCJ \\
C & JAJ
\end{pmatrix}
\begin{pmatrix}
v \\
Jv
\end{pmatrix}
&=&
\lambda_S
\begin{pmatrix}
v \\
Jv
\end{pmatrix}
\\
&\Downarrow& \nonumber
\\
(A+JC)v &=& \lambda_S v\end{aligned}$$
In a similar fashion for $\lambda_A$, corresponding to an antisymmetric eigenvector:
$$\begin{aligned}
\begin{pmatrix}
A & JCJ \\
C & JAJ
\end{pmatrix}
\begin{pmatrix}
v \\
-Jv
\end{pmatrix}
&=&
\lambda_A
\begin{pmatrix}
v \\
-Jv
\end{pmatrix}
\\
&\Downarrow& \nonumber
\\
(A-JC)v &=& \lambda_A v\end{aligned}$$
This shows that the centrosymmetric matrix $H$ has eigenvalues $\lambda_S$ obtained from diagonalizing $A+JC$, which also gives the non-trivial parts $v$ of the symmetric eigenvectors $\textbf{v}_S$. In our case they correspond to the orange and green divergence lines, for $\lambda_S=0$. On the other hand we observe that $\lambda_A$ corresponds to antisymmetric eigenvectors obtained from the diagonalization of the submatrices $A-JC$ - the red divergence lines.
In the following a very elegant way to see this block structure of $H$ is presented, which will be used later in the proof.
Block-diagonalization {#Appendix:BlockDiag .unnumbered}
---------------------
Using the following orthogonal matrix $Q$ ($QQ^T=\mathbb{1}$) one can block-diagonalize a centrosymmetric matrix $H$:
$$Q=\frac{1}{\sqrt{2}}
\begin{pmatrix}
\mathbb{1} & -J \\
\mathbb{1} & J
\end{pmatrix}$$
$$\begin{aligned}
QHQ^{T}&=&
\frac{1}{2}
\begin{pmatrix}
\mathbb{1} & -J \\
\mathbb{1} & J
\end{pmatrix}
\begin{pmatrix}
A & JCJ\\
C & JAJ
\end{pmatrix}
\begin{pmatrix}
\mathbb{1} & \mathbb{1}\\
-J & J
\end{pmatrix}
\\
&=&
\frac{1}{2}
\begin{pmatrix}
\mathbb{1} & -J \\
\mathbb{1} & J
\end{pmatrix}
\begin{pmatrix}
A -JC & A + JC\\
C-JA & C+JA
\end{pmatrix}
\\
&=&
\frac{1}{2}
\begin{pmatrix}
2(A-JC) & \mathbb{0} \\
\mathbb{0} & 2(A +JC)
\end{pmatrix}
\\
&=&
\begin{pmatrix}
A -JC & \mathbb{0} \\
\mathbb{0} & A +JC
\end{pmatrix}
\label{equ:block}\end{aligned}$$
Where immediately the block-structure described before is found.
Bisymmetric Matrices {#bisymmetric-matrices .unnumbered}
--------------------
As stated in the main text, due to the SU(2)- and the time-reversal-symmetry the centrosymmetric matrix $H$ considered is in fact bisymmetric. This has important consequences for the submatrices $A$ and $C$ introduced earlier:
$$\begin{aligned}
H&=&H^T
\\
\begin{pmatrix}
A & JCJ\\
C & JAJ
\end{pmatrix}
&=&
\begin{pmatrix}
A^T & C^T\\
(JCJ)^T & (JAJ)^T
\end{pmatrix} \quad ,\end{aligned}$$
as $J=J^T$ one finds $A=A^T$ immediately. For $C$ the following equation holds:
$$\label{eq:skewC}
C^T = JCJ \rightarrow C^TJ^T = JC \rightarrow (JC)^T = JC$$
This means that the combination of submatrices yielding the eigenvalues and the corresponding symmetric or antisymmetric eigenvectors is symmetric, ensuring together with the particle-hole symmetry that the obtained eigenvalues are real.
$$(A\pm JC)^T = A^T \pm (JC)^T \overset{\ref{eq:skewC}}{=} A \pm JC \quad ,$$
The mapping of divergence lines {#App:equality}
===============================
Because of the specific mapping from $U>0$ to $U<0$ of $\chi_{\uparrow \uparrow}$ and $\chi_{\uparrow \downarrow}$, it is possible to show, that the red divergence lines for $U<0$ [*have to be*]{} the mirrored ones of $U>0$. As it turns out it also follows that the symmetric density divergences $(U>0)$ are mapped to symmetric divergences in the magnetic channel for $U<0$.
The starting point is to consider the bisymmetric $\chi_{\uparrow \uparrow}$ and $\chi_{\uparrow \downarrow}$ matrices, where the fermionic Matsubara frequency indices will be omitted in the following. $\chi_{\uparrow \uparrow}$ and $\chi_{\uparrow \downarrow}$ fulfill the following relations, discussed in the main text in Sec. \[subsec:symmetries\], when mapped from positive to negative $U$.
$$\begin{aligned}
\chi^{U>0}_{\uparrow \uparrow} &=& \chi^{U<0}_{\uparrow \uparrow} = \chi_{\uparrow \uparrow} =
\begin{pmatrix}
A & JBJ \\
B & JAJ
\end{pmatrix}
\\
\chi^{U>0}_{\uparrow \downarrow} &=&
\begin{pmatrix}
C & JDJ \\
D & JCJ
\end{pmatrix} \quad \\
\chi^{U<0}_{\uparrow \downarrow} &=&
\chi^{U>0}_{\uparrow \downarrow} (-J) =
\begin{pmatrix}
C & JDJ \\
D & JCJ
\end{pmatrix}
\begin{pmatrix}
\mathbb{0} & -J \\
-J & \mathbb{0}
\end{pmatrix}
\nonumber \\
&=&
\begin{pmatrix}
-JD & -CJ \\
-JC & -DJ
\end{pmatrix}\end{aligned}$$
Now, block-diagonalization of $\chi_{\uparrow \uparrow}$ and $\chi_{\uparrow \downarrow}$ for both cases leads to:
$$\begin{aligned}
Q\chi_{\uparrow \uparrow}Q^T&=&
\begin{pmatrix}
A-JB & \mathbb{0} \\
\mathbb{0} & A+JB
\end{pmatrix}\\
Q\chi^{U>0}_{\uparrow \downarrow}Q^T&=&
\begin{pmatrix}
C-JD & \mathbb{0} \\
\mathbb{0} & C+JD
\end{pmatrix}\\
Q\chi^{U<0}_{\uparrow \downarrow}Q^T&=&
\begin{pmatrix}
-JD-J(-JC) & \mathbb{0} \\
\mathbb{0} & -JD+J(-JC)
\end{pmatrix}\nonumber \\ &=&
\begin{pmatrix}
C-JD & \mathbb{0} \\
\mathbb{0} & -[C+JD]
\end{pmatrix} \end{aligned}$$
This shows immediately that the antisymmetric block of $\chi_{\uparrow\downarrow}$, ($C-JD$), is unchanged, whereas the symmetric one changes sign for $U>0 \leftrightarrow U<0$. Considering $\chi_d$ and $\chi_m$ for $U<0$ and $U>0$ the following conclusions can be drawn, where we use the trivial relation:
$$Q\chi_{d^+,m^-}Q^T = Q(\chi_{\uparrow\uparrow} \pm \chi_{\uparrow\downarrow})Q^T =
Q\chi_{\uparrow\uparrow}Q^T \pm Q\chi_{\uparrow\downarrow}Q^T$$
$$\begin{aligned}
\label{eq:mapping_dens}
Q\chi_{d}^{U\gtrless 0}Q^{T}\!&=&\!
\begin{pmatrix}
[A\!-\!JB]\!+\![C\!-\!JD] & \mathbb{0} \\
\mathbb{0} & [A\!+\!JB]\!\pm\![C\!+\!JD]
\end{pmatrix}
\nonumber \\\end{aligned}$$
$$\begin{aligned}
\label{eq:mapping_mag}
Q\chi_{m}^{U\gtrless 0}Q^{T} &=&
\begin{pmatrix}
[A\!-\!JB]\!-\![C\!-\!JD] & \mathbb{0} \\
\mathbb{0} & [A\!+\!JB]\!\mp\![C\!+\!JD]
\end{pmatrix} \ ,
\nonumber \\
\label{equ:neg_U}\end{aligned}$$
where in the density case the $+$ sign corresponds to $U>0$ and the $-$ to $U<0$, for the magnetic case it is the other way around.
From Eqs.(\[eq:mapping\_dens\],\[eq:mapping\_mag\]) three things can be learned:
$(i)$: The antisymmetric block of $Q\chi_{d}^{U\gtrless 0}Q^{T}$ is independent of the sign of $U$. The diagonalization of $[A-JB] + [C-JD]$ will yield the eigenvalues and the corresponding antisymmetric eigenvectors of $\chi_d$. Their singularity corresponds to a red divergence line - independent of the sign of $U$. This is the mathematical reason for the perfect mapping of the red divergence lines reported in Fig. \[Fig:1\] and the equality of the singular eigenvectors seen in Fig. \[Fig:2\] of the main text. Note that this statement is crucially dependent on the perfect particle-hole symmetry of the problem analyzed - otherwise the bisymmetry property is lost.
$(ii)$: The antisymmetric block of $Q\chi_{m}^{U\gtrless 0}Q^{T}$ is also independent of the sign of $U$. This means that, irrespective of the sign of $U$, the eigenvalues corresponding to antisymmetric eigenvectors of $\chi_m$ can be calculated by diagonalizing $[A-JB] - [C-JD]$. However, so far none of these eigenvalues were found to be singular.
$(iii)$: The symmetric parts of $\chi_d$ and $\chi_m$ are mapped in the following way: $[A+JB]+[C+JD]$ is the symmetric blockmatrix of $\chi^{U>0}_d$ [*and*]{} $\chi^{U<0}_m$. This explains why the symmetric density channel divergences for $U>0$ are mapped to divergences with symmetric eigenvectors in the magnetic channel for $U<0$.
Analogously, $[A+JB]-[C+JD]$ is the symmetric blockmatrix of $\chi^{U<0}_d$ [*and*]{} $\chi^{U>0}_m$ , exactly the parameter regime where these channels exhibit the dominant, non suppressed, physics. Here the bisymmetry explains the mapping of the eigenvalues, as discussed in Sec. \[sec:spectral\].
Finally we note that also the matrix causing the divergences in the particle-particle up-down channel $\chi^{\nu (-\nu')}_{pp,\uparrow\downarrow} - \chi_{0,pp}^{\nu \nu'} $, is bisymmetric, having hence the same properties as mentioned above. Combining this insight with Eq. \[eq:mapping\_chi\_pp\] we have now fully clarified how the mapping of the generalized susceptibilities works and its exact relation with the physical degrees of freedom. The antisymmetric sectors are not mapped along the lines of Eq. \[Eq:SpinMap\], but they cancel in the sum in Eq. \[eq:ChiSpectrum\]. The symmetric subparts on the other hand follow the mapping of the physical D.o.F..
Susceptibility density in the binary mixture disordered model {#App:BM}
=============================================================
We calculate analytically the $\rho_d(\chi)$ in the Binary Mixture (BM) disordered case defined by the Hamiltonian $$H=-t\sum\limits_{<ij>}{c^{\dagger}_{i}c_{j}} + \sum_{i} \epsilon_i {c^{\dagger}_{i}c_{i}} \ . \label{eqn:BM}$$ Here spin indices can be omitted and we can safely consider spinless electrons moving in a random background with equal probability for $\epsilon_i=\pm W/2$.
![Eigenvalues from Eq. (\[eq:chi\]) evaluated a $T=0.0$.[]{data-label="fig:chivsmatsu"}](Chi_vs_Matsu.pdf){width="47.00000%"}
The Green’s function at half-filling can be easily calculated within DMFT $$G(\nu)= \frac{1}{2} \left( \frac{1}{G^{-1}_0(\nu)-\frac{W}{2}}+\frac{1}{G^{-1}_0(\nu)+\frac{W}{2}}\right) \ ,
\label{eq:BM}$$ where $G^{-1}_0(\nu)=\nu-D^2 G(\nu) / 4$ in the Bethe lattice case. This result is in perfect analogy with the Hubbard III (CPA) approximation for the Hubbard model, where $W$ must be understood as $U$.
The BM shows divergences in the irreducible vertex function as well as negative eigenvalues in the generalized susceptibility for the density channel. They appear at sufficiently large $W$ beyond the Mott-like transition in which the DOS at vanishes at the Fermi level[@Schaefer2016c].
The susceptibility $\chi^{\nu,\nu^\prime}_d$ can be easily calculated as $$\chi_{d}^{\nu \nu'}=\frac{2}{W^2}\sqrt{1+W^2G^2(\nu)}\left [ \sqrt{1+W^2G^2(\nu^\prime)}\mp 1\right] \delta_{\nu \nu'}
\label{eq:chi}$$ where the $\pm$ sign is a consequence of the multivaluedness of the electronic self-energy and must hence be taken into account properly, in order to access the physical solution[@Schaefer2016c].
Eq. (\[eq:chi\]) states that $\chi^{\nu,\nu^\prime}_d$ is diagonal in Matsubara frequency space. This is a consequence of the locality of the functional relation which relates the self-energy and the local single-particle propagator $\Sigma[G]$[@Schaefer2016c].
The phase-diagram of the BM model shows an accumulation point of vertex divergences at $T=0$ located at $W_c/D=1/\sqrt{2}$, before the Mott-like transition. As we shall see below, this implies a continuous eigenvalue distribution that exhibits a tail towards negative values above $W_c$.
Eigenvalues of $\chi^{\nu,\nu^\prime}_d$ can be directly obtained from Eq. once the self-consistency condition has been enforced. A singular eigenvalue occurs when $$1+W^2G^2=0
\label{eq:FKdivergence}$$ at zero frequency. The schematic behavior of eigenvalues as a function of Matsubara frequencies is shown in Fig. \[fig:chivsmatsu\]. The behavior of the distribution of eigenvalues which turns out to be continuous in the $T=0$ limit is shown in Fig. \[fig:MapChiDistrib\]. Notice the logarithmic scale in Fig. \[fig:MapChiDistrib\], which means that the weight associated to negative eigenvalues is very small. However, the zero-crossing of a small amount of eigenvalues marks the onset of the strong disorder limit at $W_c$ before the Mott-like transition where the local $\chi$ vanishes.
![Map of the eigenvalue distribution at $T=0$. The green curve is the local charge susceptibility.[]{data-label="fig:MapChiDistrib"}](MapChiDistrib.png){width="50.00000%"}
[^1]: With this definitions, a BSE, formally similar to Eq.(\[eq:BSEinv\]), can be written for the quantity $\tilde{\chi}^{\nu \nu'}(\Omega) = \chi_{pp}^{\nu \nu'}(\Omega) - \chi_{0,pp}^{\nu \nu'}(\Omega)$ with $ \chi_{0,pp}^{\nu \nu'}= -\beta G(\nu) G(\Omega- \nu') \delta_{\nu \nu'}$.
[^2]: For previous DMFT studies of the [*attractive*]{} Hubbard model at the [*one*]{}-particle level see, e.g., \[\].
[^3]: The small differences arise from the different lattice (here: Bethe lattice) used in the DMFT calculations
[^4]: Note that the thermal conductivity expression would also contains the spatial derivatives of the heat-current. This would preventing any kind of vertex-corrections in the single-orbital model at the DMFT level[@Georges1996]. The latter are possible, however, at the level of DCA[@Maier2005], where vertex-divergences with antisymmetric structure have been also reported[@Gunnarsson2016]. Furthermore, the correlation functions containing time-derivatives, where the effects of the antisymmetric part of the vertex functions are important, are the most suited to establish a connection with non-equilibrium phenomena.
| {
"pile_set_name": "ArXiv"
} |
Plenty of superlatives for Seahawks after workouts
RENTON — School’s out, so to speak, for the Seattle Seahawks and the rest of the NFL.
With the conclusion of last week’s three-day minicamp, the Seahawks wrapped up a month of offseason workouts that kicked off preparation for what they hope will be a successful Super Bowl title defense.
Players will now scatter around the country and are on their own until training camp gets underway in five weeks. But before we turn our attention to other things for a month (do we ever really turn our attention from the NFL?), let’s look back at the past month of organized team activities and minicamps.
Call it The Herald’s offseason superlatives.
One disclaimer before we dive into this. I focused almost entirely on young, up-and-coming players for this column. You don’t need me telling you that Earl Thomas, one of the best defensive players in the NFL, looked good in minicamp. Nor is it worth worrying about the multiple interceptions Russell Wilson threw in the last couple days of workouts — he’ll be fine. Instead, let’s look at the players who made an impression during the past month.
Most impressive rookie — WR Kevin Norwood. Paul Richardson, the receiver Seattle picked two rounds ahead of Norwood, has the wow factor; defensive end Cassius Marsh was incredibly impressive in limited action; and tackle Justin Britt has arguably the best shot of earning a starting job as a rookie, but Norwood is my choice here because he was the most consistent performer. Receiver is one of the tougher positions for a rookie to adjust to, and when you factor in Seattle’s secondary, excelling in practice becomes that much more difficult. However, day in and day out, Norwood was coming up with difficult catches and looked nothing like a rookie. Seattle has missed on receivers in the fourth round twice before — Kris Durham and Chris Harper — but Norwood looks like a player ready to make an immediate impact.
Most impressive redshirt — CB Tharold Simon. Pete Carroll and his coaching staff like to refer to the group of second and third-year players who missed last season with injuries as their redshirt class, and those players are a big reason Carroll thinks his 2014 team can be every bit as good as the Super Bowl champion squad despite losing a number of key players.
There are several good choices for this one, from linebacker Korey Toomer to defensive linemen Jesse Williams, Jordan Hill and Greg Scruggs. But the player who might have made the best impression out of the “redshirt class” was cornerback Tharold Simon, who came into this offseason as a complete unknown. Simon barely took the field in rookie minicamp last year before a foot injury sidelined him, and he never practiced again with the Seahawks in 2013.
Yet throughout OTAs and minicamp, the 6-foot-3 Simon looked every bit like a player who fits right in with the rest of Seattle’s talented, rangy defensive backs. In particular, Simon, a fifth-round pick last year, was the star of an OTA session in which Richard Sherman took a day off, coming up with two interceptions while playing with the first-team defense. While passing Bryon Maxwell on the depth chart for a starting job seems unlikely, Simon looks like a very strong option as a backup to Sherman and Maxwell, and a viable starting option down the road (Maxwell is a free agent after this season).
Most impressive position group — Linebacker. OK, so the secondary might have been the best group throughout camp (big surprise), but that’s also way too easy of a choice. Instead, we’ll go with linebacker, the overlooked position of the defense last season, and a group that looks poised to make a name for itself in 2014.
Seemingly day after day, linebackers were making plays, even with Bruce Irvin and Malcolm Smith sidelined by surgeries. And it wasn’t just the usual suspects like K.J. Wright and Bobby Wagner. Korey Toomer looks like a big-time playmaker if he can only find a way to get on the field. Mike Morgan more than held his own working as the first-team strongside linebacker. Rookie Kevin Pierre-Louis is as athletic as advertised. This is potentially the deepest position group on the roster.
“Us as linebackers, we’re really trying to stand out,” Wagner said. “I love the D-line, and the secondary gets a lot of talk, but you will talk about the linebackers this year.”
Position group that was a pleasant surprise — Wide Receiver. With Golden Tate leaving in free agency and Sidney Rice recovering from knee surgery, the Seahawks came into offseason workouts with few proven pass catchers beyond Doug Baldwin, Jermaine Kearse and Percy Harvin, and Harvin was injured for almost all of last season.
But with Harvin healthy and once again running past everyone, and with rookies Norwood and Richardson showing plenty of potential, this group, despite the loss of last year’s leading receiver, suddenly looks very deep and promising. Or as Baldwin might put it, there is nothing pedestrian about this group.
It’s particularly fun to imagine Harvin and Richardson on the field together at the same time with their blazing speed.
“It is a really fast group,” Carroll said. “It’s really exciting to see the guys catch the ball well, too … There’s nothing like being fast, that kind of speed, so we’re really excited about it.”
However, all of this excitement about the rookie receivers needs to come with one caveat — after quarterback, receiver might be the hardest position for rookies to make the leap from college to the NFL. You could easily find as many if not more glowing reports on Golden Tate in 2010 as there have been about Norwood and Richardson this summer, yet Tate struggled to even get on the field as a rookie.
Player who helped himself the most — G James Carpenter. Carpenter couldn’t hold down a starting job last season, splitting time with Paul McQuistan all year, then the Seahawks decided not to pick up the fifth-year option on the former first-round pick this offseason. So to say Carpenter has a lot to prove in 2014 is something of an understatement, and so far he’s off to a good start.
While most were expecting Carpenter to be fighting somebody for a starting spot, offensive line coach Tom Cable has made it pretty clear that the left guard job is Carpenter’s. That likely has a lot to do with Carpenter coming into offseason workouts in the best shape he has been in since Seattle took him with the 25th pick in the 2011 draft. Carpenter still has a long ways to go to live up to that draft status, but if he can build off this encouraging offseason, a position that was a big question mark last year could turn into a strength for Seattle without adding a player.
Nice to see you out there — WR Percy Harvin. We knew Harvin got through the Super Bowl healthy, so it was expected that he would be available for offseason workouts. But even if it was expected, Harvin’s presence on the practice field is a very welcome sight for the Seahawks. When Seattle acquired Harvin in 2013, he was something of a luxury acquisition, which was evident in the fact that they got to the Super Bowl with almost no contributions from him because of a hip injury. But with Tate in Detroit and Rice a question mark because of his knee, the Seahawks offense will need to get a lot more out of Harvin in 2014.
Still have work left to do — QB Terrelle Pryor and S/CB Eric Pinkins. It’s wildly premature to say anyone is struggling or a bust before training camp has even started, especially players new to the team. However, Pryor and Pinkins are two players who at first glance have some work to do in order to make the 53-man roster. Pryor, a part-time starter in Oakland, has undeniable ability, and he showed considerable growth from the first session of OTAs to last week’s minicamp, but he still has progress to make if he’s going to beat Tavaris Jackson for the backup job or convince the Seahawks that it’s worth keeping three quarterbacks on the roster.
Pinkins, a sixth-round pick out of San Diego State, was a safety in college, but the Seahawks said when they picked him that they saw him as a cornerback. It didn’t take long for the Seahawks to move Pinkins back to safety — he was done playing cornerback by the third day of rookie minicamp. As a safety, he was struggling to get reps with the second-team defense. Pinkins has plenty of time to either show he can adjust to cornerback or improve his status on the depth chart at safety, but like Pryor, he will have work to do in camp to earn a roster spot. | {
"pile_set_name": "Pile-CC"
} |
Macedonia at the 2013 World Championships in Athletics
Macedonia competed at the 2013 World Championships in Athletics in Moscow, Russia, from 10–18 August 2013. A team of 1 athlete was announced to represent the country in the event.
Results
(q – qualified, NM – no mark, SB – season best)
Men
References
External links
IAAF World Championships – Macedonia
Category:Nations at the 2013 World Championships in Athletics
World Championships in Athletics
Category:Athletics in North Macedonia | {
"pile_set_name": "Wikipedia (en)"
} |
Work/Life Balance
Spaghetti on a plate. That’s what many of our calendars – electronic or paper – look like. All of our appointments and lists of to-dos mixed together in one place. This accomplishes one of our goals: to get everything written down in one place. However, it doesn’t accomplish our primary goal: to get everything done in a timely fashion with minimum stress.
Another (food-related) way to look at this issue is to answer these questions:
This is the fun, interactive example I use during my Focus Pocus: 24 Tricks for Regaining Command of Your Day seminar to get people thinking about how they can be more efficient and productive. The point is that getting everything into one place is the first step in efficient productivity. The second step is having a sorting system for all those things so your brain doesn’t have to constantly sort things before selecting which to do next.
Two things happened today that prompted this article. The first occurred during a keynote speech I was delivering at the Society of Financial Examiners annual educational conference.
The room was filled with four hundred executives who had gathered to hear some modern-day time management suggestions. I was talking about how important it is to get some down time during the day to refresh and refocus. In a moment of clarity, I blurted out, “And whatever happened to recess?” The question drew a rousing cheer and loud applause! I thought to myself, “Yeah, whatever did happen to recess?”
An hour later, I was reviewing my e-mail on the way to the airport. There was a fairly lengthy thread started by my business partner in my other business – Outdoorplay. He was congratulating our Customer Service Manager on closing a large phone order.
The conversation really took off though when our General Manager announced that tomorrow’s lunch would be pizza compliments of the company. Everyone was congratulating Stacey, thanking Brian, and debating what type of pizzas should be ordered. You can’t mandate the kind of collegiality a simple pizza party can produce.
Much is made of starting; it is the hardest thing. We lament its prospect. We’ve named the behavior of non-starting – procrastination – which many consider a condition or a failing or a personality type.
In “Do the Work,” Steven Pressfield’s insightful analysis of this difficulty with starting, he names the force we experience Resistance. Resistance, says Pressfield, is the ever-present enemy within us all that must be battled daily so that results can be produced.
Many have addressed starting and its accomplice, proscrastination. Here are a few:
Techniques and suggestions for beating procrastination and getting started can be found in those works.
Fast Forward to the End
But what of starting’s silent partner – finishing? Getting our work to closure is often a struggle too. If fact, behind starting, finishing up is the second hardest thing to accomplish. Whether it’s the actual work or its remnants, failure to lay tasks and projects to their final rest can create just as many problems as failure to start can.
“Gerbils on a wheel.” I use this expression frequently when talking with audiences about how we feel after busting hump all day and feeling like nothing got done. Wouldn’t it be nice to feel like the wheel actually moved forward once in a while?
Breaking Free from the Frame
Like most wheels, the wheel we each run on during the day is held in place on either side of its hub by forks. Imagine looking down on a bicycle wheel to where the forks attach to the hub. The wheel spins at the hub and the forks keep the wheel in place. That’s good on a bicycle because everything works together so that the spinning wheels assist in making the bike move forward.
The gerbil’s wheel is similarly secured but its forks are fixed to the bottom of the cage. Thus, no amount of spinning will move the wheel forward. The wheel must break free from the forks for it to roll forward.
Anyone who’s spent more than ten minutes with me knows that fly fishing is one of my life-long passions. It’s a product of my Montana upbringing. Long before Robert Redford brought Norman Maclean’s beautiful novella A River Runs Through It to the big screen, I was standing in the dirt lane in front of my childhood home trying to master the art of fly casting.
Finesse Versus Force
What makes fly casting unique is that it’s the line that’s being cast, not the nearly weightless artificial fly tied to the end of it. You see, the fly follows the line and the objective is to cast the line out so that the fly comes to rest on the water delicately.
Brute force has no place in this endeavor. It’s about rhythm and finesse. The harder we try to drive the fly out to where the fish are, the less chance it will happen. However, if we settle into the rhythm of the cast and work with the forces of nature, the more successful we are.
The April issue of Spirit, Southwest Airline’s in-flight magazine, shows a group of kids playing outside on its cover. That makes sense with spring right around the corner. Surprisingly, though, the associated article inside discusses why adults should play more. The article’s opening example is illustrative:
Unbox a toy for a toddler and as often as not, the child will play with the box instead of the toy!
Why? Because the box is more fun! It can be anything – a hat, a fort, a cup, a ship. On the other hand, modern toys are typically activity specific, which allows for little imaginative input by its recipient.
Lessons Learned
This doesn’t mean toys are bad. It means boxes are good! Specifically, Jay Heinrich, author of the “It’s Called Play” article noted above, cites the following lessons we can learn from playing with the box;
Fancy toys, programmed activities, and “enrichment” don’t hold a candle to a kid’s own improvising.
Unsupervised activity of the kind that terrifies modern, safety-obsessed parents can be good for developing brains and bodies.
Outdoor trumps indoors, fitness-wise.
Adults can benefit from the same sort of pointless, stupid activity [as playing with a box].
The modern work environment is a symphony of interruption and distraction. But it’s not the real productivity saboteur. The true villain resides inside our head. It’s that little voice constantly reminding us of all that needs doing – the “Oh, ya!” and the “Can’t forget that.” and the “That too; gotta get that done!”
It’s a fact. The noisiest place on earth is between our ears. Yet it’s the place that must be quietest for us to focus because focus drives productivity. The more focused we get, the better work we do and the more of it we get done.
The problem is that the outside world is constantly demanding our attention. Consequently, it seems impossible – even counter-productive – to pursue quieting strategies. In essence we’ve become dependent (addicted?) to the frenzy, the activity, the urgency of the frenetic world.
Telling people I work in the time management field produces the same result as telling people I was once a lawyer. They make a polite remark about my choice of endeavors and move on to another, more interesting subject. The only difference is that no one has ever felt compelled to tell me their favorite time management joke.
There’s a blessing in that last bit.
Seriously, though, I know speaking on time management doesn’t sound exciting. It pales in comparison to things like, “I do product design for Apple.” or “I’m in marketing at Nike.” I get that, but unfortunately I possess a driving need to find better, faster ways of getting things done. In the bio I provide those tasked with introducing me at speaking engagements it says that at age thirteen I found the quickest way to vacuum the family store so I could spend more time fly fishing. It’s true. I’m afflicted. I’m okay with that. Let me tell you why.
What is Time?
In conversations about QuietSpacing® – my time management methodology – and the related programs I conduct, I often explain to people that the overarching principle of all my work is this:
Time is a limited, non-renewal source with an undisclosed expiration date for each of us.
Authenticity – Doing What You Do Best – Is The Essence Of Productivity
“Go stand in line!” That’s what the diminutive overwrought 20-something hostess at Coop’s Place said to the semi-inebriated patron pestering her to seat his party in the amazingly authentic low-country tavern we were dining at in the French Quarter of New Orleans last week. (Pic at right).
Now, before you go all customer-service on me, understand that this guest had walked past the growing line on the sidewalk outside the door with two (count them: two) very clear signs on those doors with large black arrows pointing down the sidewalk and with the following printed on them – Stand at the end of the line. If there’s no line, stand here until you’re seated. The message was very clear. If you want to eat here, stand in line.
Over the last eight months, I’ve been wrestling with a combination of Bright-Shiny-Objectisis and existential/professional angst. The root of the problem was a sense of restlessness. The restlessness arose from twelve years of involvement in Outdoorplay and seven years of QuietSpacing® efforts. Done enough times, all things lose their luster. Such was the case with these two endeavors.
I kept getting distracted by new and exciting topics – simplicity, lifestyle choices, Tenkara fly fishing. Instead of focusing on my core business of developing solid content to help my clients solve their time management struggles, I was drafting tables of contents for new books and making lists of authors to read and people to follow. | {
"pile_set_name": "Pile-CC"
} |
A few years ago, the History Channel was best known to some as a punch line on HBO’s “The Sopranos.” Remember mobster Tony Soprano sitting alone late at night in his New Jersey McMansion eating ice cream and watching World War II documentaries about Adolph Hitler and Winston Churchill?
These days, no one is laughing at the History Channel — not with audiences like the 13.1 million viewers who tuned in last Sunday for the first two hours of “The Bible,” a 10-hour miniseries that runs through Easter Sunday.
Strong demographics, too. Opening night of “The Bible” drew 5 million viewers in the coveted 18-to-49-year-old group. No broadcast network came close on either count. The only competition was from the zombies on AMC’s “Walking Dead.” And while they drew more young viewers, they had fewer overall. “The Bible” is the most-watched entertainment program of the year on cable TV.
Nor was it a one-shot phenomenon for the History Channel. In May, “Hatfields & McCoys,” a miniseries about the feuding families starring Kevin Costner, opened with 13.9 million viewers on the History Channel. Its young audience was about a million less than “The Bible” but still larger than any network television competition on its opening night.
The History Channel is doing what ABC, NBC, CBS, Fox and the vast majority of cable channels can’t: It’s finding new viewers and scoring huge audiences in prime time. And it is doing that with programming ignored or dismissed by many mainstream critics.
Dirk Hoogstra, the executive vice president of development and programming for History, says the channel’s winning formula involves a mix of old research and new media. It couples almost two decades of continuing, on-air audience feedback to the kind of documentaries Tony Soprano was shown watching with hard-driving online and social media campaigns aimed at spreading the message about new shows. That last point takes the conversation into politics — with talk of media elites, fly-over America, culture wars and “influencers.” And that’s where the success story of the History Channel really gets interesting.
“We’ve been going since ’95 and doing these docs [historical documentaries], so we know topics and subject areas that have shown evidence of interest from our viewers,” Hoogstra says when asked how the channel chooses projects such as “The Bible” or “The Vikings,” another scripted drama series that drew 6.2 million viewers Sunday night in the time period after the religious saga.
“We’ve done documentaries on the Vikings, for example, that have popped unusually high numbers,” he says. “And we’ve done previous series where the subtopic of an episode was on the Vikings, and that one outperformed the other episodes that were about other barbarian hordes. And we use all of that to inform these big epic drama projects.”
In other words, just as Netflix uses research from its 20 million subscribers to determine which stars viewers would like to see in what kinds of stories before committing to a production like the Baltimore-made “House of Cards,” so is History Channel using almost two decades of audience feedback on its documentaries in deciding what kind of big-ticket miniseries to make.
Smart. But that’s only about subject matter. What’s really impressive is the way the Hearst- and Disney-owned channel gets the word out on a series like “The Bible” using social media, conservative online outlets and media-savvy church leaders. While Hoogstra talks at length about social media, he largely sidesteps the political part of the story.
“Because there’s so much original content now on television, from cable and now places like Netflix and DirecTV, you’ve got to find ways to cut through and get people to notice you,” Hoogstra says. “And one of the ways to do that is to get people who have big social followings on Twitter.”
Using the term “influencers” to describe them, the History executive says, “There are some people out there that have an enormous amount of influence over huge groups of people. If they tweet, ‘Watch “Viking” on Sunday,’ they’re likely to take that advice.”
One of those “influencers” on “The Bible” is Rick Warren, pastor of the Saddleback Church in Southern California, who has led study groups and webcasts on the series at his megachurch.
On March 3, @RickWarren tweeted to his 908,000 followers:” Watch the World Premier of #TheBible, tonight on History Channel 8/7pm. An epic 10 part series! Tell everyone. Please RT”
On March 4, Warren sent another tweet linking to a picture of him with husband and wife Mark Burnett and Roma Downey, the executive producers of the series. It shows him holding a gift from the couple. The cutline says: “Mark and Roma gave me a 1706 Bible for our 3yr partnership in #TheBible movie.”
Warren sent multiple tweets urging followers to retweet and watch before the premiere. He’s also quoted in the Huffington Post saying, “I have seen probably every film made on the Bible in the last 50 years. This is by far the best one.”
Warren is also an adviser on “The Bible,” in case anyone cares about whether that would influence his rave review. But then, so are pastors from virtually every megachurch from Florida to California — and they are raving as well. Burnett, the reality TV producer responsible for series like “Survivor,” and Downey, the star of “Touched by an Angel,” brought the History Channel a lot of new-media, pulpit-powered influencers as promotional partners.
The History Channel also got a big push from conservative websites such as Breitbart.com and Glenn Beck’s TheBlaze.
“From singer Christina Aguilera to ‘Glee’ star Jane Lynch, Hollywood Twitter accounts are abuzz with messages about ‘The Bible,’ a project that was created and produced by famed reality show producer Mark Burnett and his wife, actress Roma Downey (see the duo discuss the project on TheBlaze TV last week),” one of several articles at theblaze.com began last week.
“As I understand it, there was an active campaign to cultivate conservative religious leaders,” says Richard Vatz, Towson University professor of communications. “And why not? … I always wondered why so many entrepreneurs write off such a large audience.”
The conversation about the series is steeped in culture-war politics.
A reviewer at the conservative online magazine “American Thinker” writes, “I've read a few of the reviews of the History Channel's first episode of The Bible series that debuted Sunday night. They are not good. My web host, AOL, doesn't even talk about it, although that's not unexpected. AOL/Huffpost are Left secular. Well I watched it last night and I thought it was terrific.”
My critique of the first two hours: It’s grittier-looking than most Bible stories on film, and the special effects aren’t bad. But the leading figures feel like stick figures to me. Part of it is the wooden acting involved in the depiction of characters like the Egyptian pharaoh who didn’t want to let Moses and his people go.
I don’t know if that makes me “Left secular,” mainly because I’m not sure what “Left secular” means.
Robert J. Thompson, Syracuse University professor of popular culture, says there is an important cultural story involved in the ratings success of the History Channel, but it goes beyond right- and left-wing politics. What intrigues Thompson is the way the channel’s programmers like Hoogstra have taken something once considered elite culture, a niche TV channel for people who love history, and made it into a mainstream viewing choice for millions of “regular people” in prime time.
“For the History Channel to position itself through the packaging, marketing and creation of programming like the ‘Hatfields & McCoys’ or ‘The Bible’ as the antithesis of elitism is an incredibly clever thing,” Thompson says.
“That they could take something like ‘The History Channel: where history comes alive,’ with this big bronze ‘H’ for a logo, and have it be the thing that regular people embrace really is kind of remarkable,” he adds. “I think a lot of big fans of the History Channel, somewhere humming in the back of their minds is the thought, ‘If only all those egghead teachers I used to have could have would made history this interesting.’ ”
The ancient warrior genre that includes "Game of Thrones," "Merlin" and "Spartacus: War of the Damned" will get a little more crowded this winter/spring TV season: Make some room for the "Vikings." History premieres its first scripted series at 9 p.m. CT March 3. It tells the story of the 8th...
In a culture where we whip ourselves into instant media frenzies and then move on forgetting only days later what it was that so upset us, maybe Trevor Noah’s tweets won’t be such a big deal by the weekend.
A day after Trevor Noah was declared the new host of "The Daily Show," his graphic tweets targeting women and Jews are causing a social media backlash and Comedy Central is defending its newest late-night star. | {
"pile_set_name": "Pile-CC"
} |
Silicone oil removal combined with macular pucker dissection: a retrospective review of 14 cases.
Silicone oil must be removed from the eye to avoid late complications after the surgical management of proliferative vitreoretinopathy (PVR). Macular pucker, frequently observed after retinal detachment surgery, is responsible for visual impairment. The safety of a procedure combining epimacular membrane peeling and silicone oil removal was retrospectively evaluated. Fourteen eyes that had previously undergone vitrectomy and silicone oil tamponade for rhegmatogenous retinal detachment with severe PVR, penetrating or blunt trauma, and intraocular foreign bodies were included. Silicone oil tamponade was maintained for a mean period of 30 weeks (range, 12-108 weeks). The removal of silicone oil was combined with the peeling of an epimacular membrane. Mean follow-up after silicone oil removal was 86 weeks (range, 13-234 weeks). The final retinal reattachment rate was 78%. Macular pucker recurred in one eye after a 24-month period. Best-corrected visual acuity improved two lines or more in eight eyes (57%) and reached 20/200 or better in eight eyes (57%) at last follow-up. Macular pucker dissection and silicone oil removal can be safely combined. This single procedure can obviate the need for further surgery in eyes that have already undergone multiple operations and allows good visual recovery. | {
"pile_set_name": "PubMed Abstracts"
} |
ARYA VEER
Arya youths now awake. Beware! There’s too much at stake.
Dharma is in critical state. Rise up now, it is not too late.
Shanti, we chant from age to age. For man is one, told our saint and sage.
History has taught us though, my friend, the world won’t ever the weak defend.
Amongst the aryas massses once, no dearth of saint nor dearth of sage.
Of all mankind we esconded, foremost on world’s vast stage.
The Saffron Flag of Dharma calls. Man! Woman! One and all!
Dharma’s flag will never fall, while we live, not at all.
In our veins flow the blood of Raam, in our minds resound the song of Shyaam.
Higher than Dharma nought is there, higher than Self is Dharma dear.
For Dharma’s sake this life may go, Dharma for weal, Dharma for woe.
posts
IsLAM AnD AnIMAls
Today the religion of Islam is constantly in the news because of its violence. Many people know that Islam is violent but know little else about the religion. A few people know a little about Muhammad. He was a successful leader, he suffered harsh persecution, endured famine and poverty, remained steadfast in the face of opposition, loved his followers dearly, and created the 2nd largest religion in the world.. But there is more to Islam and Muhammad that needs to be understood. Muhammad had a superstitious, somewhat bizarre, set of religious beliefs.
This article presents a short account of Muhammad’s superstitions regarding various animals. Some of these superstitions have been written about in detail elsewhere. Here, I’ll provide the basics and leave you to do the thinking and assessment. The pity is that Muhammad’s beliefs, including his superstitions, form the basis of faith for some one billion followers today. Today, these unfortunate people are bound in a system of belief that shackles their minds with superstition and inhibits them from knowing God and His plan for them.
MUHAMMAD AND THE JEWS: PIGS & APES & RATS & LIZARDS
The Quran contains myths about Jews and Christians. Three of the Quranic verses that reflect these myths are 2:63 – 65, 5:60, and 7:166. All quotes are from “The Noble Quran” [1].2:63 – 65 And (O Children of Israel, remember) when We took your covenant and We raised above you the Mount (saying): “Hold fast to that which We have given you, and remember that which is therein so that you may become Al-Muttaqun. Then after that you turned away. Had it not been for the Grace and Mercy of Allah upon you, indeed you would have been among the losers. And indeed you knew those amongst you who transgressed in the matter of the Sabbath. We said to them: “Be you monkeys, despised and rejected.”
5:60 Say (O Muhammad to the people of the Scripture): “Shall I inform you of something worse than that, regarding the recompense from Allah: those (Jews) who incurred the Curse of Allah and His Wrath, those of whom (some) He transformed into monkeys and swines, those who worshipped Taghut (false deities); such are worse in rank (on the Day of Resurrection in the Hellfire), and far more astray from the Right Path.”
7:166 So when they exceeded the limits of what they were prohibited, We said to them: “Be you monkeys, despised and rejected.” (It is a severe warning to the mankind that they should not disobey what Allah commands them to do, and be far away from what He prohibits them).Additionally, we read that the historical Islamic scholars and commentators agreed with the literal interpretation of this verse:
A. Jews Transformed Into Apes
God transformed these Jews into apes because they disobeyed His commandment and went to catch fish on a Saturday. These Jews inhabited a coastal city (refer to Chapter 2:65). The Qur’an says:
“And you know of those of you who broke the Sabbath, how we said unto them, ‘Be apes, despised and hated!”’
The interpretation of the expositors of the Qur’an is in full agreement with the content of these verses (refer to the Baydawi, page 14; Jalalan, pages 10, 11; Zamakhshari, part 1, page 286). We also read the same incident in chapter 7:163-166 and in chapter 5:60 in which these Jews were transformed into apes and swine. [2]The Sahih (Authentic) Hadith have Allah turning Jews into other creatures.
Bukhari 4.524: Narrated Abu Huraira: The Prophet said, “A group of Israelites were lost. Nobody knows what they did. But I do not see them except that they were cursed and changed into rats, for if you put the milk of a she-camel in front of a rat, it will not drink it, but if the milk of a sheep is put in front of it, it will drink it.” I told this to Ka’b who asked me, “Did you hear it from the Prophet ?” I said, “Yes.” Ka’b asked me the same question several times.; I said to Ka’b. “Do I read the Torah? (i.e. I tell you this from the Prophet.)” [3]
Muslim Book 021, Number 4800: Abu Sa’id reported that an Arab of the desert came to Allah’s Messenger (may peace be upon him) and said: I live in a low land abounding in lizards, and these are the common diet of my family, but he (the Holy Prophet) did not make any reply. We said to him: Repeat it (your problem) and so he repeated it, but he did not make any reply. (It was repeated thrice ) Then Allah’s Messenger (may peace be upon him) called him out at the third time saying: O man of the desert, verily Allah cursed or showed wrath to a tribe of Bani Isra’il and distorted them to beasts which move on the earth. I do not know, perhaps this (lizard) may be one of them. So I do not eat it, nor do I prohibit the eating of it. [4]
Muslim Book 021, Number 4799: Abu Sa’id reported that a person said: Messenger of Allah, we live in a land abounding in lizards, so what do you command or what verdict you give (about eating of it)? Thereupon he said: It was mentioned to me that a people from among Bani Isra’il were distorted (so there is a likelihood that those people might have been distorted in the shape of lizards). So he neither commanded (us to eat that) nor forbade (us).
Abu Dawud Book 27, Number 3786: Narrated Thabit ibn Wadi’ah: We were in an army with the Apostle of Allah . We got some lizards. I roasted one lizard and brought it to the Apostle of Allah and placed it before him. He took a stick and counted its fingers. He then said: A group from the children of Isra’il was transformed into an animal of the land, and I do not know which animal it was. He did not eat it nor did he forbid (its eating). [5]Perhaps Muhammad got the idea from the Jews that he interacted with.
They (the Jews) said: “Are we to profane our Sabbath and do on the Sabbath what those before us of whom you well know did and were turned into apes? [6]
Perhaps it is all a fabrication by Muslims who claimed the Jews, (who were massacred) said it. Either way, it is without foundation. As Abraham Geiger the prominent Jewish scholar states:
The affair of the Sabbath-breakers, who were punished by being changed into apes, is also supposed to belong to the time of David, but the circumstance is mentioned only in general terms, and nothing definite is given about time or details, except in verse 82, where the time is given, but not the fact. Among the Jews there is no trace of this legend. [7] SOME MUSLIMS WILL BE TURNED INTO PIGS AND APES AS WELL
Muhammad used this superstition to scare his followers into obedience as well. He foretold that in later times some Muslims would turn to the lusts of the world and fornicate, wear silk, drink alcoholic, and listen to music. Their punishment is that Allah would supernaturally destroy some and others would be transformed into monkeys and pigs.
Bukhari 7.494B: Narrated Abu ‘Amir or Abu Malik Al-Ash’ari: that he heard the Prophet saying, “From among my followers there will be some people who will consider illegal sexual intercourse, the wearing of silk, the drinking of alcoholic drinks and the use of musical instruments, as lawful. And there will be some people who will stay near the side of a mountain and in the evening their shepherd will come to them with their sheep and ask them for something, but they will say to him, ‘Return to us tomorrow.’ Allah will destroy them during the night and will let the mountain fall on them, and He will transform the rest of them into monkeys and pigs and they will remain so till the Day of Resurrection.”
Abu Dawud, Book 32, Number 4028: Narrated Abu Amir or Abu Malik: AbdurRahman ibn Ghanam al-Ash’ari said: Abu Amir or Abu Malik told me–I swear by Allah another oath that he did not believe me that he heard the Apostle of Allah say: There will be among my community people who will make lawful (the use of) khazz and silk. Some of them will be transformed into apes and swine.MUHAMMAD’S STATEMENTS ON OTHER ANIMALS
LIZARDS BEWARE!
Muslim, Book 026, Number 5562: ‘Amir b. Sa’d reported on the authority of his father that Allah’s Apostle (may peace be upon him) commanded the killing of geckos, and he called them little noxious creatures.
Muslim Book 026, Number 5564: Abu Huraira reported Allah’s Messenger (may peace be upon him) as saying: He who killed a gecko with the first stroke for him is such and such a reward, and he who killed it with a second stroke for him is such and such reward less than the first one, and he who killed it with the third stroke for him is such and such a reward less than the second one.
Bukhari 4.526: Narrated Um Sharik: That the Prophet ordered her to kill Salamanders.KILL THE SNAKES!
Sunan of Abu Dawud Book 41, Number 5229: Narrated Abdullah ibn Mas’ud: The Prophet said: Kill all the snakes, and he who fears their revenge does not belong to me.BUT NOT THE “HOUSE SNAKES” — THEY MAY BE MUSLIM HOUSE SNAKES!
Muslim, Book 026, Number 5557:
There are in Medina “Jinns”, (demon-like creatures) who have accepted Islam, so when you see any one of them, pronounce a warning to it for three days, and if they appear before you after that, then kill it for that is a devil.
Abu Dawud, Book 41, Number 5240: Narrated AbdurRahman Ibn Abu Layla: The Apostle of Allah was asked about the house-snakes. He said: When you see one of them in your dwelling, say: “I adjure you by the covenant which Noah made with you, and I adjure you by the covenant which Solomon made with you not to harm us.” Then if they come back, kill them.
Bukhari 8.794: Narrated Anas: Some people from the tribe of ‘Ukl came to the Prophet and embraced Islam. The climate of Medina did not suit them, so the Prophet ordered them to go to the (herd of milch) camels of charity and to drink, their milk and urine (as a medicine). They did so, and after they had recovered from their ailment (became healthy) they turned renegades (reverted from Islam) and killed the shepherd of the camels and took the camels away. The Prophet sent (some people) in their pursuit and so they were (caught and) brought, and the Prophets ordered that their hands and legs should be cut off and that their eyes should be branded with heated pieces of iron, and that their cut hands and legs should not be cauterized, till they die.FLY WINGS – MEDICAL CURE FOR DISEASE???
Bukhari 4.537: Narrated Abu Huraira: The Prophet said “If a house fly falls in the drink of anyone of you, he should dip it (in the drink), for one of its wings has a disease and the other has the cure for the disease.”
DOGS
DOGS AND ANGELS
Bukhari 4.539: Narrated Abu Talha: The Prophet said, “Angels do not enter a house witch has either a dog or a picture in it.”DOGS AND THE LOST HEAVENLY REWARDS
Bukhari 4.541: Narrated Abu Huraira: Allah’s Apostle said, “If somebody keeps a dog, he loses one Qirat (of the reward) of his good deeds everyday, except if he keeps it for the purpose of agriculture or for the protection of livestock. “KILL ALL THE DOGS!
Muslim, Book 010, Number 3813: Abu Zubair heard Jabir b. ‘Abdullah (Allah be pleased with him) saying: Allah’s Messenger (may peace be upon him) ordered us to kill dogs, and we carried out this order so much so that we also kill the dog coming with a woman from the desert. Then Allah’s Apostle (may peace be upon him) forbade their killing. He (the Holy Prophet further) said: It is your duty the jet-black (dog) having two spots (on the eyes), for it is a devil.
Muslim, Book 004, Number 1032: Abu Dharr reported: The Messenger of ‘Allah (may peace be upon him) said: When any one of you stands for prayer and there is a thing before him equal to the back of the saddle that covers him and in case there is not before him (a thing) equal to the back of the saddle, his prayer would be cut off by (passing of an) ass, woman, and black Dog. I said: O Abu Dharr, what feature is there in a black dog which distinguish it from the red dog and the yellow dog? He said: O, son of my brother, I asked the Messenger of Allah (may peace be upon him) as you are asking me, and he said: The black dog is a devil.DONKEYS AND HORSES
Bukhari 5.530: Narrated Jabir bin Abdullah: On the day of Khaibar, Allah’s Apostle forbade the eating of donkey meat and allowed the eating of horse meat.DONKEYS AND ROOSTERS
Muslim Book 035, Number 6581: Abu Huraira reported Allah’s Messenger as saying. When you listen to the crowing of the cock, ask Allah for His favor as it sees Angels and when you listen to the braying of the donkey, seek refuge in Allah from the Satan for it sees Satan.DONKEYS, PRAYER, AND ISLAMIC MAKEOVERS
Bukhari 1.660: Narrated Abu Huraira: The Prophet said, “Isn’t he who raises his head before the Imam afraid that Allah may transform his head into that of a donkey or his figure into that of a donkey?”CONCLUSION
Obviously Muhammad had many significant misconceptions about various creatures. Jews were never turned into pigs and apes. Geckos are fine and beneficial creatures. Demons have never mutated into “Muslim” snakes, and most snakes are very beneficial to the environment and should not be killed. Camel urine is not medicine for people. (Did you note how Muhammad tortured the men from Urayina?). There is no cure for disease in fly wings, and it is unhealthy to dip flies into your drink. Dogs are in many ways man’s best friend, (do some research and see how beneficial a pet dog is to people’s health). Black dogs are not “the devil”. Roosters don’t crow because they see angels, donkeys don’t bray because they see demons, and if a Muslim looks up during prayer, his face will not be turned into a donkey’s face.
There are more superstitious references to various animals in Islamic theology. But these here are sufficient to make the point: the religion of Islam is filled with superstitions and the poor Muslims are plagued by these superstitions to this day. Perhaps Muhammad didn’t know better. He did not grow up in a very scientific culture. But people today, especially Muslims, should acknowledge Muhammad’s zoological errors and realize that he was not a real prophet of God. | {
"pile_set_name": "Pile-CC"
} |
Short-term feeding of vitamin D3 improves color but does not change tenderness of pork-loin chops.
The objective of this study was to determine the effect of short-term feeding of vitamin D3 (D3) on blood plasma calcium concentrations and meat quality of pork-loin chops. Three experiments were carried out to meet this objective. Experiment 1 used 250,000 IU and 500,000 IU/d to determine the effective dose of dietary D3 to raise blood plasma calcium concentration. Experiment 2 used 500,000 IU D3/d to determine the appropriate length of feeding time to elevate blood plasma calcium prior to harvest. Experiment 3 used 500,000 IU D3/d to determine the effectiveness of increased blood plasma calcium in improving postmortem quality and tenderness of pork-loin chops. Pigs fed 500,000 IU D3/d in Exp. 1 exhibited higher (P < 0.05) and more stable plasma calcium concentration over a 14-d feeding trial compared with pigs fed 250,000 IU D3/d and control pigs. Therefore, 500,000 IU D3/d was the dose chosen for Exp. 2, in which pigs fed 500,000 IU D3/d for 3 d prior to harvest exhibited elevated and stable plasma calcium concentrations; this length of time was deemed sufficient in which to observe differences in postmortem meat tenderness in Exp. 3. Vitamin D3 supplementation resulted in lower (P < 0.02) L* values and higher (P < 0.03) a* values of loin chops at 7 and 14 d of shelf storage. Vitamin D3 supplementation did not affect quality characteristics (measured by use of subjective scores) or tenderness (quantified via Warner-Bratzler shear force or Star probe values). On the basis of these findings, feeding 500,000 IU D3/d to finishing pigs improved most Hunter color values at 14 d of storage but did not improve pork-loin chop tenderness at 1 to 21 d of retail shelf storage. | {
"pile_set_name": "PubMed Abstracts"
} |
Don’t feel bad for this paper, it was made from a one hundred year old tree and now here it is creeping on school kids.
smh. | {
"pile_set_name": "OpenWebText2"
} |
Find your adventure
Bradt Travel Guides
Exodus has teamed up with Bradt to bring you in-depth knowledge, insight and unique information through quality travel guides.
Bradt has a reputation for being a pioneer in tackling ‘unusual’ destinations and Exodus are all about exploration, hence why we see this as the perfect partnership.
• Bradt country guides take you to places such as Lebanon, Palestine, Eastern Turkey, Madagascar, Guyana, Burkina Faso, Cameroon, Georgia, Kazakhstan and Iceland. Bradt coverage of African countries is second to none. • The new Highlights guides are ideal if you are on an organized tour, planning a special itinerary or with limited time to explore, focusing on the top attractions. • Bradt’s full-colour wildlife guides are lightweight and practical – ideal for planning wildlife itineraries or for field identification while you are travelling. They cover the wildlife found in Antarctica, the Arctic, Australasia, South America, Africa, Asia and Europe.
Special Offer:
Bradt is offering a 30% discount on Bradt Travel Guides to Exodus customers when you sign up for the Bradt newsletter.
You recently looked at
From the social networks
Exodus Travels
Have you herd the news?
Our International Sales Manager and photography enthusiast Andrew Appleyard is just back from the Masai Mara where ... The news from the Mara plains is that the migration has arrived and our International Sales Manager has captured some superb photos of the action... The Great Migration Through a Lens1 day 7 hours ago.
Responsible travel
We realise that every holiday destination is also
someone else's home and that we should leave places as we found them. Find out
more about how we incorporate
responsible travel into our adventure and activity holidays, and how you
can help by donating to one of our
responsible travel projects | {
"pile_set_name": "Pile-CC"
} |
Q:
What's the simplest way to extend a numpy array in 2 dimensions?
I have a 2d array that looks like this:
XX
xx
What's the most efficient way to add an extra row and column:
xxy
xxy
yyy
For bonus points, I'd like to also be able to knock out single rows and columns, so for example in the matrix below I'd like to be able to knock out all of the a's leaving only the x's - specifically I'm trying to delete the nth row and the nth column at the same time - and I want to be able to do this as quickly as possible:
xxaxx
xxaxx
aaaaa
xxaxx
xxaxx
A:
The shortest in terms of lines of code i can think of is for the first question.
>>> import numpy as np
>>> p = np.array([[1,2],[3,4]])
>>> p = np.append(p, [[5,6]], 0)
>>> p = np.append(p, [[7],[8],[9]],1)
>>> p
array([[1, 2, 7],
[3, 4, 8],
[5, 6, 9]])
And the for the second question
p = np.array(range(20))
>>> p.shape = (4,5)
>>> p
array([[ 0, 1, 2, 3, 4],
[ 5, 6, 7, 8, 9],
[10, 11, 12, 13, 14],
[15, 16, 17, 18, 19]])
>>> n = 2
>>> p = np.append(p[:n],p[n+1:],0)
>>> p = np.append(p[...,:n],p[...,n+1:],1)
>>> p
array([[ 0, 1, 3, 4],
[ 5, 6, 8, 9],
[15, 16, 18, 19]])
A:
A useful alternative answer to the first question, using the examples from tomeedee’s answer, would be to use numpy’s vstack and column_stack methods:
Given a matrix p,
>>> import numpy as np
>>> p = np.array([ [1,2] , [3,4] ])
an augmented matrix can be generated by:
>>> p = np.vstack( [ p , [5 , 6] ] )
>>> p = np.column_stack( [ p , [ 7 , 8 , 9 ] ] )
>>> p
array([[1, 2, 7],
[3, 4, 8],
[5, 6, 9]])
These methods may be convenient in practice than np.append() as they allow 1D arrays to be appended to a matrix without any modification, in contrast to the following scenario:
>>> p = np.array([ [ 1 , 2 ] , [ 3 , 4 ] , [ 5 , 6 ] ] )
>>> p = np.append( p , [ 7 , 8 , 9 ] , 1 )
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
File "/usr/lib/python2.6/dist-packages/numpy/lib/function_base.py", line 3234, in append
return concatenate((arr, values), axis=axis)
ValueError: arrays must have same number of dimensions
In answer to the second question, a nice way to remove rows and columns is to use logical array indexing as follows:
Given a matrix p,
>>> p = np.arange( 20 ).reshape( ( 4 , 5 ) )
suppose we want to remove row 1 and column 2:
>>> r , c = 1 , 2
>>> p = p [ np.arange( p.shape[0] ) != r , : ]
>>> p = p [ : , np.arange( p.shape[1] ) != c ]
>>> p
array([[ 0, 1, 3, 4],
[10, 11, 13, 14],
[15, 16, 18, 19]])
Note - for reformed Matlab users - if you wanted to do these in a one-liner you need to index twice:
>>> p = np.arange( 20 ).reshape( ( 4 , 5 ) )
>>> p = p [ np.arange( p.shape[0] ) != r , : ] [ : , np.arange( p.shape[1] ) != c ]
This technique can also be extended to remove sets of rows and columns, so if we wanted to remove rows 0 & 2 and columns 1, 2 & 3 we could use numpy's setdiff1d function to generate the desired logical index:
>>> p = np.arange( 20 ).reshape( ( 4 , 5 ) )
>>> r = [ 0 , 2 ]
>>> c = [ 1 , 2 , 3 ]
>>> p = p [ np.setdiff1d( np.arange( p.shape[0] ), r ) , : ]
>>> p = p [ : , np.setdiff1d( np.arange( p.shape[1] ) , c ) ]
>>> p
array([[ 5, 9],
[15, 19]])
A:
Another elegant solution to the first question may be the insert command:
p = np.array([[1,2],[3,4]])
p = np.insert(p, 2, values=0, axis=1) # insert values before column 2
Leads to:
array([[1, 2, 0],
[3, 4, 0]])
insert may be slower than append but allows you to fill the whole row/column with one value easily.
As for the second question, delete has been suggested before:
p = np.delete(p, 2, axis=1)
Which restores the original array again:
array([[1, 2],
[3, 4]])
| {
"pile_set_name": "StackExchange"
} |
Altered bile acid metabolism in primary biliary cirrhosis.
Selected aspects of bile acid metabolism were assessed in six women with primary biliary cirrhosis and varying degrees of cholestasis. Urinary bile acid excretion was markedly increased and correlated highly with serum levels. In three patients in whom urinary bile acids were separated by chromatography, the majority of urinary bile acids were monosulfated (34%, 42%, 32%) or polysulfated and/or glucuronidated (30%, 20%, 38%). The monosulfates of chenodeoxycholic acid were conjugated at either the 3 position (67%, 68%, 73%) or the 7 position (33%, 32%, 27%); similarly, the monosulfates of cholic acid were conjugated at the 3 position (65%, 58%, 68%) or the 7 position (35%, 42%, 32%). The position of sulfation was not markedly influenced by the mode of amidation with glycine or taurine. Chenodeoxycholic exchangeable pool size, turnover rate, and synthesis were measured by isotope dilution and found to be well within normal limits, despite the cholestasis. The fraction of chenodeoxycholic acid synthesis excreted in urine ranged from 9 to 48%; 4--38% of chenodeoxycholic acid synthesis was sulfated. These data indicate that the major abnormalities in bile acid metabolism in patients with cholestasis secondary to primary biliary cirrhosis are formation of sulfated bile acids in greatly increased amounts, elevation of blood levels of primary bile acids, and a shift to renal excretion as a major mechanism for bile acid elimination. Chenodeoxycholic acid synthesis continues at its usual rate despite cholestasis. Whether these changes, including the formation of 7-monosulfated bile acids, occur in other forms of cholestasis and whether either the persistance of unchanged chenodeoxycholic acid synthesis or the formation of such novel conjugates has any pathophysiological significance remain to be investigated. | {
"pile_set_name": "PubMed Abstracts"
} |
729 F.2d 1455
U.S.v.Bryson (James Douglas)
NO. 83-6352
United States Court of Appeals,fourth Circuit.
FEB 22, 1984
1
Appeal From: D.Md.
2
AFFIRMED.
| {
"pile_set_name": "FreeLaw"
} |
<?xml version="1.0" encoding="iso-8859-1"?>
<project>
<fileVersion>2</fileVersion>
<configuration>
<name>Debug</name>
<toolchain>
<name>ARM</name>
</toolchain>
<debug>1</debug>
<settings>
<name>C-SPY</name>
<archiveVersion>2</archiveVersion>
<data>
<version>21</version>
<wantNonLocal>1</wantNonLocal>
<debug>1</debug>
<option>
<name>CInput</name>
<state>1</state>
</option>
<option>
<name>CEndian</name>
<state>1</state>
</option>
<option>
<name>CProcessor</name>
<state>1</state>
</option>
<option>
<name>OCVariant</name>
<state>0</state>
</option>
<option>
<name>MacOverride</name>
<state>0</state>
</option>
<option>
<name>MacFile</name>
<state></state>
</option>
<option>
<name>MemOverride</name>
<state>0</state>
</option>
<option>
<name>MemFile</name>
<state></state>
</option>
<option>
<name>RunToEnable</name>
<state>1</state>
</option>
<option>
<name>RunToName</name>
<state>main</state>
</option>
<option>
<name>CExtraOptionsCheck</name>
<state>0</state>
</option>
<option>
<name>CExtraOptions</name>
<state></state>
</option>
<option>
<name>CFpuProcessor</name>
<state>1</state>
</option>
<option>
<name>OCDDFArgumentProducer</name>
<state></state>
</option>
<option>
<name>OCDownloadSuppressDownload</name>
<state>0</state>
</option>
<option>
<name>OCDownloadVerifyAll</name>
<state>1</state>
</option>
<option>
<name>OCProductVersion</name>
<state>5.41.2.51798</state>
</option>
<option>
<name>OCDynDriverList</name>
<state>JLINK_ID</state>
</option>
<option>
<name>OCLastSavedByProductVersion</name>
<state>5.41.2.51798</state>
</option>
<option>
<name>OCDownloadAttachToProgram</name>
<state>0</state>
</option>
<option>
<name>UseFlashLoader</name>
<state>1</state>
</option>
<option>
<name>CLowLevel</name>
<state>1</state>
</option>
<option>
<name>OCBE8Slave</name>
<state>1</state>
</option>
<option>
<name>MacFile2</name>
<state></state>
</option>
<option>
<name>CDevice</name>
<state>1</state>
</option>
<option>
<name>FlashLoadersV3</name>
<state></state>
</option>
<option>
<name>OCImagesSuppressCheck1</name>
<state>0</state>
</option>
<option>
<name>OCImagesPath1</name>
<state></state>
</option>
<option>
<name>OCImagesSuppressCheck2</name>
<state>0</state>
</option>
<option>
<name>OCImagesPath2</name>
<state></state>
</option>
<option>
<name>OCImagesSuppressCheck3</name>
<state>0</state>
</option>
<option>
<name>OCImagesPath3</name>
<state></state>
</option>
<option>
<name>OverrideDefFlashBoard</name>
<state>0</state>
</option>
</data>
</settings>
<settings>
<name>ARMSIM_ID</name>
<archiveVersion>2</archiveVersion>
<data>
<version>1</version>
<wantNonLocal>1</wantNonLocal>
<debug>1</debug>
<option>
<name>OCSimDriverInfo</name>
<state>1</state>
</option>
<option>
<name>OCSimEnablePSP</name>
<state>0</state>
</option>
<option>
<name>OCSimPspOverrideConfig</name>
<state>0</state>
</option>
<option>
<name>OCSimPspConfigFile</name>
<state></state>
</option>
</data>
</settings>
<settings>
<name>ANGEL_ID</name>
<archiveVersion>2</archiveVersion>
<data>
<version>0</version>
<wantNonLocal>1</wantNonLocal>
<debug>1</debug>
<option>
<name>CCAngelHeartbeat</name>
<state>1</state>
</option>
<option>
<name>CAngelCommunication</name>
<state>1</state>
</option>
<option>
<name>CAngelCommBaud</name>
<version>0</version>
<state>3</state>
</option>
<option>
<name>CAngelCommPort</name>
<version>0</version>
<state>0</state>
</option>
<option>
<name>ANGELTCPIP</name>
<state>aaa.bbb.ccc.ddd</state>
</option>
<option>
<name>DoAngelLogfile</name>
<state>0</state>
</option>
<option>
<name>AngelLogFile</name>
<state>$PROJ_DIR$\cspycomm.log</state>
</option>
<option>
<name>OCDriverInfo</name>
<state>1</state>
</option>
</data>
</settings>
<settings>
<name>GDBSERVER_ID</name>
<archiveVersion>2</archiveVersion>
<data>
<version>0</version>
<wantNonLocal>1</wantNonLocal>
<debug>1</debug>
<option>
<name>OCDriverInfo</name>
<state>1</state>
</option>
<option>
<name>TCPIP</name>
<state>aaa.bbb.ccc.ddd</state>
</option>
<option>
<name>DoLogfile</name>
<state>0</state>
</option>
<option>
<name>LogFile</name>
<state>$PROJ_DIR$\cspycomm.log</state>
</option>
<option>
<name>CCJTagBreakpointRadio</name>
<state>0</state>
</option>
<option>
<name>CCJTagDoUpdateBreakpoints</name>
<state>0</state>
</option>
<option>
<name>CCJTagUpdateBreakpoints</name>
<state>main</state>
</option>
</data>
</settings>
<settings>
<name>IARROM_ID</name>
<archiveVersion>2</archiveVersion>
<data>
<version>0</version>
<wantNonLocal>1</wantNonLocal>
<debug>1</debug>
<option>
<name>CRomLogFileCheck</name>
<state>0</state>
</option>
<option>
<name>CRomLogFileEditB</name>
<state>$PROJ_DIR$\cspycomm.log</state>
</option>
<option>
<name>CRomCommunication</name>
<state>0</state>
</option>
<option>
<name>CRomCommPort</name>
<version>0</version>
<state>0</state>
</option>
<option>
<name>CRomCommBaud</name>
<version>0</version>
<state>7</state>
</option>
<option>
<name>OCDriverInfo</name>
<state>1</state>
</option>
</data>
</settings>
<settings>
<name>JLINK_ID</name>
<archiveVersion>2</archiveVersion>
<data>
<version>10</version>
<wantNonLocal>1</wantNonLocal>
<debug>1</debug>
<option>
<name>JLinkSpeed</name>
<state>32</state>
</option>
<option>
<name>CCJLinkDoLogfile</name>
<state>0</state>
</option>
<option>
<name>CCJLinkLogFile</name>
<state>$PROJ_DIR$\cspycomm.log</state>
</option>
<option>
<name>CCJLinkHWResetDelay</name>
<state>0</state>
</option>
<option>
<name>OCDriverInfo</name>
<state>1</state>
</option>
<option>
<name>JLinkInitialSpeed</name>
<state>32</state>
</option>
<option>
<name>CCDoJlinkMultiTarget</name>
<state>0</state>
</option>
<option>
<name>CCScanChainNonARMDevices</name>
<state>0</state>
</option>
<option>
<name>CCJLinkMultiTarget</name>
<state>0</state>
</option>
<option>
<name>CCJLinkIRLength</name>
<state>0</state>
</option>
<option>
<name>CCJLinkCommRadio</name>
<state>0</state>
</option>
<option>
<name>CCJLinkTCPIP</name>
<state>aaa.bbb.ccc.ddd</state>
</option>
<option>
<name>CCJLinkSpeedRadioV2</name>
<state>0</state>
</option>
<option>
<name>CCUSBDevice</name>
<version>0</version>
<state>0</state>
</option>
<option>
<name>CCRDICatchReset</name>
<state>0</state>
</option>
<option>
<name>CCRDICatchUndef</name>
<state>0</state>
</option>
<option>
<name>CCRDICatchSWI</name>
<state>0</state>
</option>
<option>
<name>CCRDICatchData</name>
<state>0</state>
</option>
<option>
<name>CCRDICatchPrefetch</name>
<state>0</state>
</option>
<option>
<name>CCRDICatchIRQ</name>
<state>0</state>
</option>
<option>
<name>CCRDICatchFIQ</name>
<state>0</state>
</option>
<option>
<name>CCJLinkBreakpointRadio</name>
<state>0</state>
</option>
<option>
<name>CCJLinkDoUpdateBreakpoints</name>
<state>0</state>
</option>
<option>
<name>CCJLinkUpdateBreakpoints</name>
<state>main</state>
</option>
<option>
<name>CCJLinkInterfaceRadio</name>
<state>1</state>
</option>
<option>
<name>OCJLinkAttachSlave</name>
<state>1</state>
</option>
<option>
<name>CCJLinkResetList</name>
<version>2</version>
<state>7</state>
</option>
<option>
<name>CCJLinkInterfaceCmdLine</name>
<state>0</state>
</option>
</data>
</settings>
<settings>
<name>LMIFTDI_ID</name>
<archiveVersion>2</archiveVersion>
<data>
<version>2</version>
<wantNonLocal>1</wantNonLocal>
<debug>1</debug>
<option>
<name>OCDriverInfo</name>
<state>1</state>
</option>
<option>
<name>LmiftdiSpeed</name>
<state>500</state>
</option>
<option>
<name>CCLmiftdiDoLogfile</name>
<state>0</state>
</option>
<option>
<name>CCLmiftdiLogFile</name>
<state>$PROJ_DIR$\cspycomm.log</state>
</option>
<option>
<name>CCLmiFtdiInterfaceRadio</name>
<state>0</state>
</option>
<option>
<name>CCLmiFtdiInterfaceCmdLine</name>
<state>0</state>
</option>
</data>
</settings>
<settings>
<name>MACRAIGOR_ID</name>
<archiveVersion>2</archiveVersion>
<data>
<version>3</version>
<wantNonLocal>1</wantNonLocal>
<debug>1</debug>
<option>
<name>jtag</name>
<version>0</version>
<state>0</state>
</option>
<option>
<name>EmuSpeed</name>
<state>1</state>
</option>
<option>
<name>TCPIP</name>
<state>aaa.bbb.ccc.ddd</state>
</option>
<option>
<name>DoLogfile</name>
<state>0</state>
</option>
<option>
<name>LogFile</name>
<state>$PROJ_DIR$\cspycomm.log</state>
</option>
<option>
<name>DoEmuMultiTarget</name>
<state>0</state>
</option>
<option>
<name>EmuMultiTarget</name>
<state>0@ARM7TDMI</state>
</option>
<option>
<name>EmuHWReset</name>
<state>0</state>
</option>
<option>
<name>CEmuCommBaud</name>
<version>0</version>
<state>4</state>
</option>
<option>
<name>CEmuCommPort</name>
<version>0</version>
<state>0</state>
</option>
<option>
<name>jtago</name>
<version>0</version>
<state>0</state>
</option>
<option>
<name>OCDriverInfo</name>
<state>1</state>
</option>
<option>
<name>UnusedAddr</name>
<state>0x00800000</state>
</option>
<option>
<name>CCMacraigorHWResetDelay</name>
<state></state>
</option>
<option>
<name>CCJTagBreakpointRadio</name>
<state>0</state>
</option>
<option>
<name>CCJTagDoUpdateBreakpoints</name>
<state>0</state>
</option>
<option>
<name>CCJTagUpdateBreakpoints</name>
<state>main</state>
</option>
<option>
<name>CCMacraigorInterfaceRadio</name>
<state>0</state>
</option>
<option>
<name>CCMacraigorInterfaceCmdLine</name>
<state>0</state>
</option>
</data>
</settings>
<settings>
<name>RDI_ID</name>
<archiveVersion>2</archiveVersion>
<data>
<version>1</version>
<wantNonLocal>1</wantNonLocal>
<debug>1</debug>
<option>
<name>CRDIDriverDll</name>
<state>###Uninitialized###</state>
</option>
<option>
<name>CRDILogFileCheck</name>
<state>0</state>
</option>
<option>
<name>CRDILogFileEdit</name>
<state>$PROJ_DIR$\cspycomm.log</state>
</option>
<option>
<name>CCRDIHWReset</name>
<state>0</state>
</option>
<option>
<name>CCRDICatchReset</name>
<state>0</state>
</option>
<option>
<name>CCRDICatchUndef</name>
<state>0</state>
</option>
<option>
<name>CCRDICatchSWI</name>
<state>0</state>
</option>
<option>
<name>CCRDICatchData</name>
<state>0</state>
</option>
<option>
<name>CCRDICatchPrefetch</name>
<state>0</state>
</option>
<option>
<name>CCRDICatchIRQ</name>
<state>0</state>
</option>
<option>
<name>CCRDICatchFIQ</name>
<state>0</state>
</option>
<option>
<name>CCRDIUseETM</name>
<state>0</state>
</option>
<option>
<name>OCDriverInfo</name>
<state>1</state>
</option>
</data>
</settings>
<settings>
<name>STLINK_ID</name>
<archiveVersion>2</archiveVersion>
<data>
<version>1</version>
<wantNonLocal>1</wantNonLocal>
<debug>1</debug>
<option>
<name>OCDriverInfo</name>
<state>1</state>
</option>
<option>
<name>CCSTLinkInterfaceRadio</name>
<state>0</state>
</option>
<option>
<name>CCSTLinkInterfaceCmdLine</name>
<state>0</state>
</option>
</data>
</settings>
<settings>
<name>THIRDPARTY_ID</name>
<archiveVersion>2</archiveVersion>
<data>
<version>0</version>
<wantNonLocal>1</wantNonLocal>
<debug>1</debug>
<option>
<name>CThirdPartyDriverDll</name>
<state>###Uninitialized###</state>
</option>
<option>
<name>CThirdPartyLogFileCheck</name>
<state>0</state>
</option>
<option>
<name>CThirdPartyLogFileEditB</name>
<state>$PROJ_DIR$\cspycomm.log</state>
</option>
<option>
<name>OCDriverInfo</name>
<state>1</state>
</option>
</data>
</settings>
<debuggerPlugins>
<plugin>
<file>$TOOLKIT_DIR$\plugins\rtos\CMX\CmxArmPlugin.ENU.ewplugin</file>
<loadFlag>0</loadFlag>
</plugin>
<plugin>
<file>$TOOLKIT_DIR$\plugins\rtos\CMX\CmxTinyArmPlugin.ENU.ewplugin</file>
<loadFlag>0</loadFlag>
</plugin>
<plugin>
<file>$TOOLKIT_DIR$\plugins\rtos\embOS\embOSPlugin.ewplugin</file>
<loadFlag>0</loadFlag>
</plugin>
<plugin>
<file>$TOOLKIT_DIR$\plugins\rtos\OSE\OseEpsilonPlugin.ewplugin</file>
<loadFlag>0</loadFlag>
</plugin>
<plugin>
<file>$TOOLKIT_DIR$\plugins\rtos\PowerPac\PowerPacRTOS.ewplugin</file>
<loadFlag>0</loadFlag>
</plugin>
<plugin>
<file>$TOOLKIT_DIR$\plugins\rtos\Quadros\Quadros_EWB5_Plugin.ewplugin</file>
<loadFlag>0</loadFlag>
</plugin>
<plugin>
<file>$TOOLKIT_DIR$\plugins\rtos\ThreadX\ThreadXArmPlugin.ENU.ewplugin</file>
<loadFlag>0</loadFlag>
</plugin>
<plugin>
<file>$TOOLKIT_DIR$\plugins\rtos\uCOS-II\uCOS-II-286-KA-CSpy.ewplugin</file>
<loadFlag>0</loadFlag>
</plugin>
<plugin>
<file>$TOOLKIT_DIR$\plugins\rtos\uCOS-II\uCOS-II-KA-CSpy.ewplugin</file>
<loadFlag>0</loadFlag>
</plugin>
<plugin>
<file>$EW_DIR$\common\plugins\CodeCoverage\CodeCoverage.ENU.ewplugin</file>
<loadFlag>1</loadFlag>
</plugin>
<plugin>
<file>$EW_DIR$\common\plugins\Orti\Orti.ENU.ewplugin</file>
<loadFlag>0</loadFlag>
</plugin>
<plugin>
<file>$EW_DIR$\common\plugins\Profiling\Profiling.ENU.ewplugin</file>
<loadFlag>1</loadFlag>
</plugin>
<plugin>
<file>$EW_DIR$\common\plugins\Stack\Stack.ENU.ewplugin</file>
<loadFlag>1</loadFlag>
</plugin>
<plugin>
<file>$EW_DIR$\common\plugins\SymList\SymList.ENU.ewplugin</file>
<loadFlag>1</loadFlag>
</plugin>
</debuggerPlugins>
</configuration>
<configuration>
<name>Release</name>
<toolchain>
<name>ARM</name>
</toolchain>
<debug>0</debug>
<settings>
<name>C-SPY</name>
<archiveVersion>2</archiveVersion>
<data>
<version>21</version>
<wantNonLocal>1</wantNonLocal>
<debug>0</debug>
<option>
<name>CInput</name>
<state>1</state>
</option>
<option>
<name>CEndian</name>
<state>1</state>
</option>
<option>
<name>CProcessor</name>
<state>1</state>
</option>
<option>
<name>OCVariant</name>
<state>0</state>
</option>
<option>
<name>MacOverride</name>
<state>0</state>
</option>
<option>
<name>MacFile</name>
<state></state>
</option>
<option>
<name>MemOverride</name>
<state>0</state>
</option>
<option>
<name>MemFile</name>
<state></state>
</option>
<option>
<name>RunToEnable</name>
<state>1</state>
</option>
<option>
<name>RunToName</name>
<state>main</state>
</option>
<option>
<name>CExtraOptionsCheck</name>
<state>0</state>
</option>
<option>
<name>CExtraOptions</name>
<state></state>
</option>
<option>
<name>CFpuProcessor</name>
<state>1</state>
</option>
<option>
<name>OCDDFArgumentProducer</name>
<state></state>
</option>
<option>
<name>OCDownloadSuppressDownload</name>
<state>0</state>
</option>
<option>
<name>OCDownloadVerifyAll</name>
<state>1</state>
</option>
<option>
<name>OCProductVersion</name>
<state>5.41.2.51798</state>
</option>
<option>
<name>OCDynDriverList</name>
<state>JLINK_ID</state>
</option>
<option>
<name>OCLastSavedByProductVersion</name>
<state>5.41.2.51798</state>
</option>
<option>
<name>OCDownloadAttachToProgram</name>
<state>0</state>
</option>
<option>
<name>UseFlashLoader</name>
<state>1</state>
</option>
<option>
<name>CLowLevel</name>
<state>1</state>
</option>
<option>
<name>OCBE8Slave</name>
<state>1</state>
</option>
<option>
<name>MacFile2</name>
<state></state>
</option>
<option>
<name>CDevice</name>
<state>1</state>
</option>
<option>
<name>FlashLoadersV3</name>
<state></state>
</option>
<option>
<name>OCImagesSuppressCheck1</name>
<state>0</state>
</option>
<option>
<name>OCImagesPath1</name>
<state></state>
</option>
<option>
<name>OCImagesSuppressCheck2</name>
<state>0</state>
</option>
<option>
<name>OCImagesPath2</name>
<state></state>
</option>
<option>
<name>OCImagesSuppressCheck3</name>
<state>0</state>
</option>
<option>
<name>OCImagesPath3</name>
<state></state>
</option>
<option>
<name>OverrideDefFlashBoard</name>
<state>0</state>
</option>
</data>
</settings>
<settings>
<name>ARMSIM_ID</name>
<archiveVersion>2</archiveVersion>
<data>
<version>1</version>
<wantNonLocal>1</wantNonLocal>
<debug>0</debug>
<option>
<name>OCSimDriverInfo</name>
<state>1</state>
</option>
<option>
<name>OCSimEnablePSP</name>
<state>0</state>
</option>
<option>
<name>OCSimPspOverrideConfig</name>
<state>0</state>
</option>
<option>
<name>OCSimPspConfigFile</name>
<state></state>
</option>
</data>
</settings>
<settings>
<name>ANGEL_ID</name>
<archiveVersion>2</archiveVersion>
<data>
<version>0</version>
<wantNonLocal>1</wantNonLocal>
<debug>0</debug>
<option>
<name>CCAngelHeartbeat</name>
<state>1</state>
</option>
<option>
<name>CAngelCommunication</name>
<state>1</state>
</option>
<option>
<name>CAngelCommBaud</name>
<version>0</version>
<state>3</state>
</option>
<option>
<name>CAngelCommPort</name>
<version>0</version>
<state>0</state>
</option>
<option>
<name>ANGELTCPIP</name>
<state>aaa.bbb.ccc.ddd</state>
</option>
<option>
<name>DoAngelLogfile</name>
<state>0</state>
</option>
<option>
<name>AngelLogFile</name>
<state>$PROJ_DIR$\cspycomm.log</state>
</option>
<option>
<name>OCDriverInfo</name>
<state>1</state>
</option>
</data>
</settings>
<settings>
<name>GDBSERVER_ID</name>
<archiveVersion>2</archiveVersion>
<data>
<version>0</version>
<wantNonLocal>1</wantNonLocal>
<debug>0</debug>
<option>
<name>OCDriverInfo</name>
<state>1</state>
</option>
<option>
<name>TCPIP</name>
<state>aaa.bbb.ccc.ddd</state>
</option>
<option>
<name>DoLogfile</name>
<state>0</state>
</option>
<option>
<name>LogFile</name>
<state>$PROJ_DIR$\cspycomm.log</state>
</option>
<option>
<name>CCJTagBreakpointRadio</name>
<state>0</state>
</option>
<option>
<name>CCJTagDoUpdateBreakpoints</name>
<state>0</state>
</option>
<option>
<name>CCJTagUpdateBreakpoints</name>
<state>main</state>
</option>
</data>
</settings>
<settings>
<name>IARROM_ID</name>
<archiveVersion>2</archiveVersion>
<data>
<version>0</version>
<wantNonLocal>1</wantNonLocal>
<debug>0</debug>
<option>
<name>CRomLogFileCheck</name>
<state>0</state>
</option>
<option>
<name>CRomLogFileEditB</name>
<state>$PROJ_DIR$\cspycomm.log</state>
</option>
<option>
<name>CRomCommunication</name>
<state>0</state>
</option>
<option>
<name>CRomCommPort</name>
<version>0</version>
<state>0</state>
</option>
<option>
<name>CRomCommBaud</name>
<version>0</version>
<state>7</state>
</option>
<option>
<name>OCDriverInfo</name>
<state>1</state>
</option>
</data>
</settings>
<settings>
<name>JLINK_ID</name>
<archiveVersion>2</archiveVersion>
<data>
<version>10</version>
<wantNonLocal>1</wantNonLocal>
<debug>0</debug>
<option>
<name>JLinkSpeed</name>
<state>32</state>
</option>
<option>
<name>CCJLinkDoLogfile</name>
<state>0</state>
</option>
<option>
<name>CCJLinkLogFile</name>
<state>$PROJ_DIR$\cspycomm.log</state>
</option>
<option>
<name>CCJLinkHWResetDelay</name>
<state>0</state>
</option>
<option>
<name>OCDriverInfo</name>
<state>1</state>
</option>
<option>
<name>JLinkInitialSpeed</name>
<state>32</state>
</option>
<option>
<name>CCDoJlinkMultiTarget</name>
<state>0</state>
</option>
<option>
<name>CCScanChainNonARMDevices</name>
<state>0</state>
</option>
<option>
<name>CCJLinkMultiTarget</name>
<state>0</state>
</option>
<option>
<name>CCJLinkIRLength</name>
<state>0</state>
</option>
<option>
<name>CCJLinkCommRadio</name>
<state>0</state>
</option>
<option>
<name>CCJLinkTCPIP</name>
<state>aaa.bbb.ccc.ddd</state>
</option>
<option>
<name>CCJLinkSpeedRadioV2</name>
<state>0</state>
</option>
<option>
<name>CCUSBDevice</name>
<version>0</version>
<state>0</state>
</option>
<option>
<name>CCRDICatchReset</name>
<state>0</state>
</option>
<option>
<name>CCRDICatchUndef</name>
<state>0</state>
</option>
<option>
<name>CCRDICatchSWI</name>
<state>0</state>
</option>
<option>
<name>CCRDICatchData</name>
<state>0</state>
</option>
<option>
<name>CCRDICatchPrefetch</name>
<state>0</state>
</option>
<option>
<name>CCRDICatchIRQ</name>
<state>0</state>
</option>
<option>
<name>CCRDICatchFIQ</name>
<state>0</state>
</option>
<option>
<name>CCJLinkBreakpointRadio</name>
<state>0</state>
</option>
<option>
<name>CCJLinkDoUpdateBreakpoints</name>
<state>0</state>
</option>
<option>
<name>CCJLinkUpdateBreakpoints</name>
<state>main</state>
</option>
<option>
<name>CCJLinkInterfaceRadio</name>
<state>1</state>
</option>
<option>
<name>OCJLinkAttachSlave</name>
<state>1</state>
</option>
<option>
<name>CCJLinkResetList</name>
<version>2</version>
<state>7</state>
</option>
<option>
<name>CCJLinkInterfaceCmdLine</name>
<state>0</state>
</option>
</data>
</settings>
<settings>
<name>LMIFTDI_ID</name>
<archiveVersion>2</archiveVersion>
<data>
<version>2</version>
<wantNonLocal>1</wantNonLocal>
<debug>0</debug>
<option>
<name>OCDriverInfo</name>
<state>1</state>
</option>
<option>
<name>LmiftdiSpeed</name>
<state>500</state>
</option>
<option>
<name>CCLmiftdiDoLogfile</name>
<state>0</state>
</option>
<option>
<name>CCLmiftdiLogFile</name>
<state>$PROJ_DIR$\cspycomm.log</state>
</option>
<option>
<name>CCLmiFtdiInterfaceRadio</name>
<state>0</state>
</option>
<option>
<name>CCLmiFtdiInterfaceCmdLine</name>
<state>0</state>
</option>
</data>
</settings>
<settings>
<name>MACRAIGOR_ID</name>
<archiveVersion>2</archiveVersion>
<data>
<version>3</version>
<wantNonLocal>1</wantNonLocal>
<debug>0</debug>
<option>
<name>jtag</name>
<version>0</version>
<state>0</state>
</option>
<option>
<name>EmuSpeed</name>
<state>1</state>
</option>
<option>
<name>TCPIP</name>
<state>aaa.bbb.ccc.ddd</state>
</option>
<option>
<name>DoLogfile</name>
<state>0</state>
</option>
<option>
<name>LogFile</name>
<state>$PROJ_DIR$\cspycomm.log</state>
</option>
<option>
<name>DoEmuMultiTarget</name>
<state>0</state>
</option>
<option>
<name>EmuMultiTarget</name>
<state>0@ARM7TDMI</state>
</option>
<option>
<name>EmuHWReset</name>
<state>0</state>
</option>
<option>
<name>CEmuCommBaud</name>
<version>0</version>
<state>4</state>
</option>
<option>
<name>CEmuCommPort</name>
<version>0</version>
<state>0</state>
</option>
<option>
<name>jtago</name>
<version>0</version>
<state>0</state>
</option>
<option>
<name>OCDriverInfo</name>
<state>1</state>
</option>
<option>
<name>UnusedAddr</name>
<state>0x00800000</state>
</option>
<option>
<name>CCMacraigorHWResetDelay</name>
<state></state>
</option>
<option>
<name>CCJTagBreakpointRadio</name>
<state>0</state>
</option>
<option>
<name>CCJTagDoUpdateBreakpoints</name>
<state>0</state>
</option>
<option>
<name>CCJTagUpdateBreakpoints</name>
<state>main</state>
</option>
<option>
<name>CCMacraigorInterfaceRadio</name>
<state>0</state>
</option>
<option>
<name>CCMacraigorInterfaceCmdLine</name>
<state>0</state>
</option>
</data>
</settings>
<settings>
<name>RDI_ID</name>
<archiveVersion>2</archiveVersion>
<data>
<version>1</version>
<wantNonLocal>1</wantNonLocal>
<debug>0</debug>
<option>
<name>CRDIDriverDll</name>
<state>###Uninitialized###</state>
</option>
<option>
<name>CRDILogFileCheck</name>
<state>0</state>
</option>
<option>
<name>CRDILogFileEdit</name>
<state>$PROJ_DIR$\cspycomm.log</state>
</option>
<option>
<name>CCRDIHWReset</name>
<state>0</state>
</option>
<option>
<name>CCRDICatchReset</name>
<state>0</state>
</option>
<option>
<name>CCRDICatchUndef</name>
<state>0</state>
</option>
<option>
<name>CCRDICatchSWI</name>
<state>0</state>
</option>
<option>
<name>CCRDICatchData</name>
<state>0</state>
</option>
<option>
<name>CCRDICatchPrefetch</name>
<state>0</state>
</option>
<option>
<name>CCRDICatchIRQ</name>
<state>0</state>
</option>
<option>
<name>CCRDICatchFIQ</name>
<state>0</state>
</option>
<option>
<name>CCRDIUseETM</name>
<state>0</state>
</option>
<option>
<name>OCDriverInfo</name>
<state>1</state>
</option>
</data>
</settings>
<settings>
<name>STLINK_ID</name>
<archiveVersion>2</archiveVersion>
<data>
<version>1</version>
<wantNonLocal>1</wantNonLocal>
<debug>0</debug>
<option>
<name>OCDriverInfo</name>
<state>1</state>
</option>
<option>
<name>CCSTLinkInterfaceRadio</name>
<state>0</state>
</option>
<option>
<name>CCSTLinkInterfaceCmdLine</name>
<state>0</state>
</option>
</data>
</settings>
<settings>
<name>THIRDPARTY_ID</name>
<archiveVersion>2</archiveVersion>
<data>
<version>0</version>
<wantNonLocal>1</wantNonLocal>
<debug>0</debug>
<option>
<name>CThirdPartyDriverDll</name>
<state>###Uninitialized###</state>
</option>
<option>
<name>CThirdPartyLogFileCheck</name>
<state>0</state>
</option>
<option>
<name>CThirdPartyLogFileEditB</name>
<state>$PROJ_DIR$\cspycomm.log</state>
</option>
<option>
<name>OCDriverInfo</name>
<state>1</state>
</option>
</data>
</settings>
<debuggerPlugins>
<plugin>
<file>$TOOLKIT_DIR$\plugins\rtos\CMX\CmxArmPlugin.ENU.ewplugin</file>
<loadFlag>0</loadFlag>
</plugin>
<plugin>
<file>$TOOLKIT_DIR$\plugins\rtos\CMX\CmxTinyArmPlugin.ENU.ewplugin</file>
<loadFlag>0</loadFlag>
</plugin>
<plugin>
<file>$TOOLKIT_DIR$\plugins\rtos\embOS\embOSPlugin.ewplugin</file>
<loadFlag>0</loadFlag>
</plugin>
<plugin>
<file>$TOOLKIT_DIR$\plugins\rtos\OSE\OseEpsilonPlugin.ewplugin</file>
<loadFlag>0</loadFlag>
</plugin>
<plugin>
<file>$TOOLKIT_DIR$\plugins\rtos\PowerPac\PowerPacRTOS.ewplugin</file>
<loadFlag>0</loadFlag>
</plugin>
<plugin>
<file>$TOOLKIT_DIR$\plugins\rtos\Quadros\Quadros_EWB5_Plugin.ewplugin</file>
<loadFlag>0</loadFlag>
</plugin>
<plugin>
<file>$TOOLKIT_DIR$\plugins\rtos\ThreadX\ThreadXArmPlugin.ENU.ewplugin</file>
<loadFlag>0</loadFlag>
</plugin>
<plugin>
<file>$TOOLKIT_DIR$\plugins\rtos\uCOS-II\uCOS-II-286-KA-CSpy.ewplugin</file>
<loadFlag>0</loadFlag>
</plugin>
<plugin>
<file>$TOOLKIT_DIR$\plugins\rtos\uCOS-II\uCOS-II-KA-CSpy.ewplugin</file>
<loadFlag>0</loadFlag>
</plugin>
<plugin>
<file>$EW_DIR$\common\plugins\CodeCoverage\CodeCoverage.ENU.ewplugin</file>
<loadFlag>1</loadFlag>
</plugin>
<plugin>
<file>$EW_DIR$\common\plugins\Orti\Orti.ENU.ewplugin</file>
<loadFlag>0</loadFlag>
</plugin>
<plugin>
<file>$EW_DIR$\common\plugins\Profiling\Profiling.ENU.ewplugin</file>
<loadFlag>1</loadFlag>
</plugin>
<plugin>
<file>$EW_DIR$\common\plugins\Stack\Stack.ENU.ewplugin</file>
<loadFlag>1</loadFlag>
</plugin>
<plugin>
<file>$EW_DIR$\common\plugins\SymList\SymList.ENU.ewplugin</file>
<loadFlag>1</loadFlag>
</plugin>
</debuggerPlugins>
</configuration>
</project>
| {
"pile_set_name": "Github"
} |
Chicago Restauranteur Horn Chen is expected to make an offer
for the Ottawa Rough Riders, just days after AL-based businessman
Elliot Maisel declined to buy the team because of its large
debts, according to this morning's OTTAWA CITIZEN. The CFL is
expected to drop a stipulation that was a part of the deal with
Maisel that would keep the Riders in Ottawa for the next two
years, but Chen is not expected to move the team right away.
Meanwhile, Bruce Firestone, the team's current owner, said
yesterday he faxed CFL Commissioner Larry Smith "details of a $2-
million U.S. offer which involves moving the team to an
undisclosed American city" (Don Campbell, OTTAWA CITIZEN, 3/3).
Leaders of Save the Rams met with NFL execs Wednesday "amid
signs that the league won't rubber stamp" the team's move to St.
Louis. Anaheim City Manager Jim Ruth, local businessman Wayne
Wedin and former Disneyland President Jack Lindquist met with the
NFL's finance committee and discussed details of a local offer to
keep the team in Southern CA. Former Mariners Owner George
Argyros reportedly is willing to buy the Rams from Georgia
Frontiere if the team is "forced to stay" in Anaheim. A vote on
the move is expected to come at the NFL owners' annual meeting
March 12-17 in Phoenix. The team's use of funds from the sale of
Permanent Seat Licenses could also be an issue at those meetings.
NFL Dir of Communications Greg Aiello: "Whether PSL money, in
this case can be shared or not is a matter of debate within the
league." Under the NFL's revenue-sharing rules, teams may keep
only 60% of money made from ticket sales. The team is planning
to keep all of the $60M raised through PSL sales in St. Louis.
The league previously waived its share of PSL money from the
Carolina Panthers. The Panthers are using the $200M they raised
to build a new stadium in Charlotte (Mouchard & Himmelberg,
ORANGE COUNTY REGISTER, 3/2).
LOWER-END PRICED OUT: FANS Inc. announced its policy on the
allocation of the nearly 74,000 applications it received for the
46,000 seats available in the new St. Louis domed stadium. All
of the 11,700 applicants for the least expensive section -- $250
PSL -- "are basically out of luck." FANS used a "bumping
process" that favored higher-priced applications. The second or
third choices of these applications took precedence over first
choices for the lower priced PSLs. FANS Inc.'s Thomas Eagleton:
"There's nothing we can do about that. We can't invent 28,000
seats out of thin air" (Jim Thomas, ST. LOUIS POST-DISPATCH,
3/3). | {
"pile_set_name": "Pile-CC"
} |
Role of atrial peptide in the acute natriuretic response to uninephrectomy.
Unilateral nephrectomy (UNX) is associated with an immediate natriuretic response of the remaining kidney. The role of atrial natriuretic peptide (ANP), as assessed by right atrial appendectomy (APX), was investigated in euvolemic anaesthetized rats. In sham APX rats, UNX resulted in a twofold increase in urinary sodium and potassium excretion (1.03 +/- 0.11 to 2.08 +/- 0.17 and 1.39 +/- 0.05 to 2.26 +/- 0.08 mueq/min, respectively) and a doubling of urinary excretion of guanosine 3',5'-cyclic monophosphate (cGMP). No significant change in glomerular filtration rate, renal plasma flow, and lithium clearance occurred in response to UNX. APX totally prevented the UNX-induced natriuresis and diuresis as well as the rise in urinary cGMP. Post-UNX plasma concentration of ANP was higher in sham-operated compared with APX rats (45 +/- 9 vs. 20 +/- 2 fmol/ml). In sham APX rats, UNX was associated with a transient (less than 15 min) rise in arterial pressure; in APX rats, this immediate increase in arterial pressure was of similar magnitude but of longer (greater than 30 min) duration. The observed stimulation of ANP release after UNX and the blunting of the natriuretic response to UNX by APX suggest that ANP may be an important mediator of the renal response to contralateral renal ablation. | {
"pile_set_name": "PubMed Abstracts"
} |
JDWP: properly combine location events
This CL properly groups JDWP events at the same location: Breakpoint,
Single-step, Method Entry and Method Exit. This is necessary if the
debugger is not the only instrumentation listener. This matches the
behavior of Dalvik, especially for methods with a single return
instruction.
The interpreter was tuned so the instrumentation callbacks were
called to satisfy the debugger with the idea the debugger was the
only instrumentation listener. This is not true when method tracing
is enabled at the same time.
When tracing is enabled, there is always a listener for MethodEntry
and MethodExit events (art::Trace class). However, if the debugger
is only listening to DexPcMoved event (to manage JDWP Breakpoint
event), it will not be notified of this event.
We now properly call all the instrumentation callbacks in the
interpreter and move the logic specific to debugging into the class
DebugInstrumentationListener. This allows to properly group JDWP
location events together depending on the sequence of instrumentation
callbacks.
We add Thread::tls_32bit_sized_values::debug_method_entry_ flag to
remember we just entered a method. It replaces the local variable
notified_method_entry_event in the interpreter and simplifies the
code.
Bump oat version to force recompilation because the layout of the
Thread class is modified.
Bug: 19829329
Bug: 20205350
(cherry picked from commit 9d6bf69ad3012a9d843268fdd5325b6719b6d5f2)
Change-Id: I204af9112e37d2eebc86661fb7c961a41c74e598 | {
"pile_set_name": "Pile-CC"
} |
Infantile wheeze: rethinking dogma.
Wheeze is a common symptom in young children and is usually associated with viral illnesses. It is a major source of morbidity and is responsible for a high consumption of healthcare and economic resources worldwide. A few children have a condition resembling classical asthma. Rarer specific conditions may have a wheezy component and should be considered in the differential diagnosis. Over the last half century, there have been many circular discussions about the best way of managing preschool wheeze. In general, intermittent wheezing should be treated with intermittent bronchodilator therapy, and a controller therapy should be prescribed for a young child with recurrent wheezing only if positively indicated, and only then if carefully monitored for efficacy. Good multidisciplinary support, attention to environmental exposition and education are essential in managing this common condition. This article analyses the pathophysiological basis of wheezing in infancy and critically discusses the evolution of the scientific progress over time in this unique field of respiratory medicine. | {
"pile_set_name": "PubMed Abstracts"
} |
"Mia and her friends have discovered a magical passageway to Never Land! But when her little sister Gabby goes to Never Land alone, the passageway closes up, with a fairy stuck on the Main Land side, too"-- Provided by publisher | {
"pile_set_name": "Pile-CC"
} |
Q:
How can you quickly check if you package.json file has modules that could be updated to newer versions?
How can you quickly check if you package.json file has modules that could be updated to newer versions?
For example, a quick way to check if either express or nodemailer has an available update?
{
"name": "some_module_name"
, "description": ""
, "version": "0.0.3"
, "dependencies": {
"express": "3.1"
, "nodemailer" : "0.4.0"
}
}
I read over the FAQs, but didn't see anything:
https://npmjs.org/doc/faq.html
Thanks.
A:
Yes there is an option :
npm outdated
This will list modules, with available updates. It supports syntax for specifying the module name.
According to the Documentation, the syntax is
npm outdated [<name> [<name> ...]]
This gives you to specify the module name you wish to check exclusively, like
$ npm outdated mongoose
Note
To use this properly, you'll have to add a version number of the target module(s) with range greater than or greater than or equal. You can check node-semver, which is integrated into npm to check the syntax.
Example
{
"dependencies": {
"express": "3.2.0",
"mongoose": ">= 3.5.6",
},
}
Will give the following result ( since today the latest mongoose version is 3.6.9 )
$ npm outdated
...
mongoose@3.6.9 node_modules/mongoose current=3.6.7
$
While if you place
{
"dependencies": {
"express": ">= 3.2.0",
"mongoose": ">= 3.5.6",
},
}
The result will be :
$ npm outdated
...
mongoose@3.6.9 node_modules/mongoose current=3.6.7
express@3.2.3 node_modules/express current=3.2.0
$
A:
there's a service like travis that checks it automatically:
https://gemnasium.com
| {
"pile_set_name": "StackExchange"
} |
mcnultyMediahttp://mcnultymedia.co.uk
Your digital garage on the webSat, 22 Jul 2017 12:34:53 +0000en-GBhourly1https://wordpress.org/?v=4.8News at Six, Complaint Stage 3: BBC Response 21http://mcnultymedia.co.uk/blog/2015/03/news-at-six-complaint-stage-3-bbc-response-21/
http://mcnultymedia.co.uk/blog/2015/03/news-at-six-complaint-stage-3-bbc-response-21/#respondThu, 12 Mar 2015 18:57:39 +0000http://mcnultymedia.co.uk/?p=2590http://mcnultymedia.co.uk/blog/2015/03/news-at-six-complaint-stage-3-bbc-response-21/feed/0News at Six, Complaint Stage 3: Viewer Response 13http://mcnultymedia.co.uk/blog/2015/03/news-at-six-complaint-stage-3-viewer-response-13/
http://mcnultymedia.co.uk/blog/2015/03/news-at-six-complaint-stage-3-viewer-response-13/#respondTue, 10 Mar 2015 16:48:41 +0000http://mcnultymedia.co.uk/?p=2588http://mcnultymedia.co.uk/blog/2015/03/news-at-six-complaint-stage-3-viewer-response-13/feed/0News at Six Complaint, Stage 3: BBC Response 20http://mcnultymedia.co.uk/blog/2015/02/news-at-six-complaint-stage-3-bbc-response-20/
http://mcnultymedia.co.uk/blog/2015/02/news-at-six-complaint-stage-3-bbc-response-20/#respondMon, 23 Feb 2015 16:39:14 +0000http://mcnultymedia.co.uk/?p=2572http://mcnultymedia.co.uk/blog/2015/02/news-at-six-complaint-stage-3-bbc-response-20/feed/0What Labour’s 2015 Election Manifesto Won’t Be Sayinghttp://mcnultymedia.co.uk/blog/2015/02/what-labours-2015-election-manifesto-wont-be-saying/
http://mcnultymedia.co.uk/blog/2015/02/what-labours-2015-election-manifesto-wont-be-saying/#commentsMon, 02 Feb 2015 06:52:10 +0000http://mcnultymedia.co.uk/?p=2527Continue reading What Labour’s 2015 Election Manifesto Won’t Be Saying→]]>http://mcnultymedia.co.uk/blog/2015/02/what-labours-2015-election-manifesto-wont-be-saying/feed/7News at Six Complaint, Stage 3: BBC Response 19http://mcnultymedia.co.uk/blog/2015/01/news-at-six-complaint-stage-3-bbc-response-19/
http://mcnultymedia.co.uk/blog/2015/01/news-at-six-complaint-stage-3-bbc-response-19/#respondFri, 30 Jan 2015 17:47:52 +0000http://mcnultymedia.co.uk/?p=2555http://mcnultymedia.co.uk/blog/2015/01/news-at-six-complaint-stage-3-bbc-response-19/feed/0News at Six Complaint Stage 3: BBC Response 19http://mcnultymedia.co.uk/blog/2015/01/news-at-six-complaint-stage-3-bbc-response-19-2/
http://mcnultymedia.co.uk/blog/2015/01/news-at-six-complaint-stage-3-bbc-response-19-2/#respondFri, 30 Jan 2015 17:47:46 +0000http://mcnultymedia.co.uk/?p=2564Continue reading News at Six Complaint Stage 3: BBC Response 19→]]>http://mcnultymedia.co.uk/blog/2015/01/news-at-six-complaint-stage-3-bbc-response-19-2/feed/0News at Six Complaint Stage 3: Viewer Response 12http://mcnultymedia.co.uk/blog/2015/01/news-at-six-complaint-stage-3-viewer-response-12/
http://mcnultymedia.co.uk/blog/2015/01/news-at-six-complaint-stage-3-viewer-response-12/#respondThu, 29 Jan 2015 10:30:14 +0000http://mcnultymedia.co.uk/?p=2553http://mcnultymedia.co.uk/blog/2015/01/news-at-six-complaint-stage-3-viewer-response-12/feed/0News at Six Complaint Stage 3: BBC Response 18http://mcnultymedia.co.uk/blog/2015/01/news-at-six-complaint-stage-3-bbc-response-18/
http://mcnultymedia.co.uk/blog/2015/01/news-at-six-complaint-stage-3-bbc-response-18/#respondWed, 28 Jan 2015 12:55:35 +0000http://mcnultymedia.co.uk/?p=2550http://mcnultymedia.co.uk/blog/2015/01/news-at-six-complaint-stage-3-bbc-response-18/feed/0If we want the BBC to do its job we have to complain when it doesn’t!http://mcnultymedia.co.uk/blog/2015/01/if-we-want-the-bbc-to-do-its-job-we-have-to-complain-when-it-doesnt/
http://mcnultymedia.co.uk/blog/2015/01/if-we-want-the-bbc-to-do-its-job-we-have-to-complain-when-it-doesnt/#commentsMon, 12 Jan 2015 02:45:25 +0000http://mcnultymedia.co.uk/?p=2259Continue reading If we want the BBC to do its job we have to complain when it doesn’t!→]]>http://mcnultymedia.co.uk/blog/2015/01/if-we-want-the-bbc-to-do-its-job-we-have-to-complain-when-it-doesnt/feed/3News at Six Complaint Stage 3: BBC Response 17http://mcnultymedia.co.uk/blog/2015/01/news-at-six-complaint-stage-3-bbc-response-17/
http://mcnultymedia.co.uk/blog/2015/01/news-at-six-complaint-stage-3-bbc-response-17/#respondThu, 08 Jan 2015 09:33:47 +0000http://mcnultymedia.co.uk/?p=2548http://mcnultymedia.co.uk/blog/2015/01/news-at-six-complaint-stage-3-bbc-response-17/feed/0News at Six Complaint Stage 3: Viewer Response 11http://mcnultymedia.co.uk/blog/2015/01/news-at-six-complaint-stage-3-viewer-response-11/
http://mcnultymedia.co.uk/blog/2015/01/news-at-six-complaint-stage-3-viewer-response-11/#respondThu, 08 Jan 2015 09:32:13 +0000http://mcnultymedia.co.uk/?p=2490http://mcnultymedia.co.uk/blog/2015/01/news-at-six-complaint-stage-3-viewer-response-11/feed/0BBC spends licence payer’s money proving its own hypocrisy in Court!http://mcnultymedia.co.uk/blog/2015/01/bbc-spends-licence-payers-money-proving-its-own-hypocrisy-in-court/
http://mcnultymedia.co.uk/blog/2015/01/bbc-spends-licence-payers-money-proving-its-own-hypocrisy-in-court/#commentsThu, 01 Jan 2015 12:07:11 +0000http://mcnultymedia.co.uk/?p=2225Continue reading BBC spends licence payer’s money proving its own hypocrisy in Court!→]]>http://mcnultymedia.co.uk/blog/2015/01/bbc-spends-licence-payers-money-proving-its-own-hypocrisy-in-court/feed/7A Peaceful & Prosperous New Year for EVERYONE!http://mcnultymedia.co.uk/blog/2014/12/a-peaceful-prosperous-new-year-for-everyone/
http://mcnultymedia.co.uk/blog/2014/12/a-peaceful-prosperous-new-year-for-everyone/#respondTue, 30 Dec 2014 06:56:06 +0000http://mcnultymedia.co.uk/?p=2214Continue reading A Peaceful & Prosperous New Year for EVERYONE!→]]>http://mcnultymedia.co.uk/blog/2014/12/a-peaceful-prosperous-new-year-for-everyone/feed/0News at Six Complaint Stage 2: Viewer Response 10http://mcnultymedia.co.uk/blog/2014/12/news-at-six-complaint-stage-2-viewer-response-10/
http://mcnultymedia.co.uk/blog/2014/12/news-at-six-complaint-stage-2-viewer-response-10/#respondTue, 23 Dec 2014 09:57:47 +0000http://mcnultymedia.co.uk/?p=2483http://mcnultymedia.co.uk/blog/2014/12/news-at-six-complaint-stage-2-viewer-response-10/feed/0News at Six Complaint Stage 2: BBC Response 16http://mcnultymedia.co.uk/blog/2014/12/news-at-six-complaint-stage-2-bbc-response-16/
http://mcnultymedia.co.uk/blog/2014/12/news-at-six-complaint-stage-2-bbc-response-16/#respondMon, 22 Dec 2014 15:11:06 +0000http://mcnultymedia.co.uk/?p=2481http://mcnultymedia.co.uk/blog/2014/12/news-at-six-complaint-stage-2-bbc-response-16/feed/0News at Six Complaint Stage 2: Viewer Response 9http://mcnultymedia.co.uk/blog/2014/12/news-at-six-complaint-stage-2-viewer-response-9/
http://mcnultymedia.co.uk/blog/2014/12/news-at-six-complaint-stage-2-viewer-response-9/#respondMon, 22 Dec 2014 12:34:58 +0000http://mcnultymedia.co.uk/?p=2479http://mcnultymedia.co.uk/blog/2014/12/news-at-six-complaint-stage-2-viewer-response-9/feed/0News at Six Complaint Stage 2: BBC Response 15http://mcnultymedia.co.uk/blog/2014/12/news-at-six-complaint-stage-2-bbc-response-15/
http://mcnultymedia.co.uk/blog/2014/12/news-at-six-complaint-stage-2-bbc-response-15/#respondMon, 22 Dec 2014 11:41:07 +0000http://mcnultymedia.co.uk/?p=2476http://mcnultymedia.co.uk/blog/2014/12/news-at-six-complaint-stage-2-bbc-response-15/feed/0News at Six Complaint Stage 2: Viewer Response 8http://mcnultymedia.co.uk/blog/2014/12/news-at-six-complaint-stage-2-viewer-response-8/
http://mcnultymedia.co.uk/blog/2014/12/news-at-six-complaint-stage-2-viewer-response-8/#respondMon, 22 Dec 2014 10:25:22 +0000http://mcnultymedia.co.uk/?p=2473http://mcnultymedia.co.uk/blog/2014/12/news-at-six-complaint-stage-2-viewer-response-8/feed/0News at Six Complaint Stage 2: BBC Response 14http://mcnultymedia.co.uk/blog/2014/12/news-at-six-complaint-stage-2-bbc-response-14/
http://mcnultymedia.co.uk/blog/2014/12/news-at-six-complaint-stage-2-bbc-response-14/#respondTue, 16 Dec 2014 17:11:15 +0000http://mcnultymedia.co.uk/?p=2469http://mcnultymedia.co.uk/blog/2014/12/news-at-six-complaint-stage-2-bbc-response-14/feed/0News at Six Complaint Stage 2: Viewer Response 7http://mcnultymedia.co.uk/blog/2014/12/news-at-six-complaint-stage-2-viewer-response-7/
http://mcnultymedia.co.uk/blog/2014/12/news-at-six-complaint-stage-2-viewer-response-7/#respondTue, 16 Dec 2014 11:35:52 +0000http://mcnultymedia.co.uk/?p=2464http://mcnultymedia.co.uk/blog/2014/12/news-at-six-complaint-stage-2-viewer-response-7/feed/0News at Six Complaint Stage 2: BBC Response 13http://mcnultymedia.co.uk/blog/2014/12/news-at-six-complaint-stage-2-bbc-response-13/
http://mcnultymedia.co.uk/blog/2014/12/news-at-six-complaint-stage-2-bbc-response-13/#respondTue, 16 Dec 2014 09:50:52 +0000http://mcnultymedia.co.uk/?p=2454http://mcnultymedia.co.uk/blog/2014/12/news-at-six-complaint-stage-2-bbc-response-13/feed/0News at Six Complaint Stage 2: Viewer Response 6http://mcnultymedia.co.uk/blog/2014/12/news-at-six-complaint-stage-2-viewer-response-6/
http://mcnultymedia.co.uk/blog/2014/12/news-at-six-complaint-stage-2-viewer-response-6/#respondFri, 12 Dec 2014 17:01:08 +0000http://mcnultymedia.co.uk/?p=2452http://mcnultymedia.co.uk/blog/2014/12/news-at-six-complaint-stage-2-viewer-response-6/feed/0News at Six Complaint Stage 2: BBC Response 12http://mcnultymedia.co.uk/blog/2014/12/news-at-six-bbc-response-12/
http://mcnultymedia.co.uk/blog/2014/12/news-at-six-bbc-response-12/#respondFri, 12 Dec 2014 16:27:01 +0000http://mcnultymedia.co.uk/?p=2449http://mcnultymedia.co.uk/blog/2014/12/news-at-six-bbc-response-12/feed/0News at Six Complaint Stage 2: Viewer Response 5http://mcnultymedia.co.uk/blog/2014/12/news-at-six-complaint-stage-2-viewer-response-5/
http://mcnultymedia.co.uk/blog/2014/12/news-at-six-complaint-stage-2-viewer-response-5/#respondFri, 12 Dec 2014 16:00:52 +0000http://mcnultymedia.co.uk/?p=2447http://mcnultymedia.co.uk/blog/2014/12/news-at-six-complaint-stage-2-viewer-response-5/feed/0News at Six Complaint Stage 2: BBC Response 11http://mcnultymedia.co.uk/blog/2014/12/news-at-six-complaint-stage-2-bbc-response-11/
http://mcnultymedia.co.uk/blog/2014/12/news-at-six-complaint-stage-2-bbc-response-11/#respondFri, 12 Dec 2014 12:20:34 +0000http://mcnultymedia.co.uk/?p=2444http://mcnultymedia.co.uk/blog/2014/12/news-at-six-complaint-stage-2-bbc-response-11/feed/0News at Six Complaint Stage 2: Viewer Response 4http://mcnultymedia.co.uk/blog/2014/12/news-at-six-complaint-stage-2-viewer-response-4/
http://mcnultymedia.co.uk/blog/2014/12/news-at-six-complaint-stage-2-viewer-response-4/#commentsThu, 11 Dec 2014 13:05:14 +0000http://mcnultymedia.co.uk/?p=2442http://mcnultymedia.co.uk/blog/2014/12/news-at-six-complaint-stage-2-viewer-response-4/feed/1News at Six Complaint Stage 1b: BBC Response 10http://mcnultymedia.co.uk/blog/2014/11/news-at-six-complaint-stage-1b-bbc-response-10/
http://mcnultymedia.co.uk/blog/2014/11/news-at-six-complaint-stage-1b-bbc-response-10/#respondMon, 24 Nov 2014 16:24:23 +0000http://mcnultymedia.co.uk/?p=2440http://mcnultymedia.co.uk/blog/2014/11/news-at-six-complaint-stage-1b-bbc-response-10/feed/0News at Six Complaint Stage 1b: BBC Response 9http://mcnultymedia.co.uk/blog/2014/09/news-at-six-complaint-stage-1b-bbc-response-9/
http://mcnultymedia.co.uk/blog/2014/09/news-at-six-complaint-stage-1b-bbc-response-9/#respondTue, 09 Sep 2014 13:38:19 +0000http://mcnultymedia.co.uk/?p=2409http://mcnultymedia.co.uk/blog/2014/09/news-at-six-complaint-stage-1b-bbc-response-9/feed/0News at Six Complaint Stage 1b: BBC Response 8http://mcnultymedia.co.uk/blog/2014/09/news-at-six-complaint-stage-1b-bbc-response-8/
http://mcnultymedia.co.uk/blog/2014/09/news-at-six-complaint-stage-1b-bbc-response-8/#respondTue, 09 Sep 2014 10:40:10 +0000http://mcnultymedia.co.uk/?p=2407http://mcnultymedia.co.uk/blog/2014/09/news-at-six-complaint-stage-1b-bbc-response-8/feed/0News at Six Complaint Stage 1b: BBC Response 7http://mcnultymedia.co.uk/blog/2014/08/news-at-six-complaint-stage-1b-bbc-response-7/
http://mcnultymedia.co.uk/blog/2014/08/news-at-six-complaint-stage-1b-bbc-response-7/#respondFri, 22 Aug 2014 17:59:00 +0000http://mcnultymedia.co.uk/?p=2405http://mcnultymedia.co.uk/blog/2014/08/news-at-six-complaint-stage-1b-bbc-response-7/feed/0News at Six Complaint Stage 1b: BBC Response 6http://mcnultymedia.co.uk/blog/2014/08/news-at-six-complaint-stage-1b-bbc-response-6/
http://mcnultymedia.co.uk/blog/2014/08/news-at-six-complaint-stage-1b-bbc-response-6/#respondFri, 15 Aug 2014 06:04:40 +0000http://mcnultymedia.co.uk/?p=2402http://mcnultymedia.co.uk/blog/2014/08/news-at-six-complaint-stage-1b-bbc-response-6/feed/0News at Six Complaint Stage 1: BBC Response 5http://mcnultymedia.co.uk/blog/2014/08/news-at-six-complaint-stage-1-bbc-response-5/
http://mcnultymedia.co.uk/blog/2014/08/news-at-six-complaint-stage-1-bbc-response-5/#respondThu, 07 Aug 2014 06:16:11 +0000http://mcnultymedia.co.uk/?p=2400http://mcnultymedia.co.uk/blog/2014/08/news-at-six-complaint-stage-1-bbc-response-5/feed/0News at Six Complaint Stage 1: Viewer Response 3http://mcnultymedia.co.uk/blog/2014/08/news-at-six-complaint-stage-1-viewer-response-3/
http://mcnultymedia.co.uk/blog/2014/08/news-at-six-complaint-stage-1-viewer-response-3/#respondThu, 07 Aug 2014 06:15:29 +0000http://mcnultymedia.co.uk/?p=2398http://mcnultymedia.co.uk/blog/2014/08/news-at-six-complaint-stage-1-viewer-response-3/feed/0News at Six Complaint Stage 1: BBC Response 4http://mcnultymedia.co.uk/blog/2014/08/news-at-six-complaint-stage-1-bbc-response-4/
http://mcnultymedia.co.uk/blog/2014/08/news-at-six-complaint-stage-1-bbc-response-4/#respondWed, 06 Aug 2014 16:19:02 +0000http://mcnultymedia.co.uk/?p=2396http://mcnultymedia.co.uk/blog/2014/08/news-at-six-complaint-stage-1-bbc-response-4/feed/0News at Six Complaint Stage 1: Viewer Response 2http://mcnultymedia.co.uk/blog/2014/08/news-at-six-complaint-stage-1-viewer-response-2/
http://mcnultymedia.co.uk/blog/2014/08/news-at-six-complaint-stage-1-viewer-response-2/#respondWed, 06 Aug 2014 16:18:56 +0000http://mcnultymedia.co.uk/?p=2394http://mcnultymedia.co.uk/blog/2014/08/news-at-six-complaint-stage-1-viewer-response-2/feed/0News at Six Complaint Stage 1: BBC Response 3http://mcnultymedia.co.uk/blog/2014/08/news-at-six-complaint-stage-1-bbc-response-3/
http://mcnultymedia.co.uk/blog/2014/08/news-at-six-complaint-stage-1-bbc-response-3/#respondWed, 06 Aug 2014 11:43:50 +0000http://mcnultymedia.co.uk/?p=2392http://mcnultymedia.co.uk/blog/2014/08/news-at-six-complaint-stage-1-bbc-response-3/feed/0How the 800th anniversary of Magna Carta could be used to remove all our libertieshttp://mcnultymedia.co.uk/blog/2014/08/how-the-800th-anniversary-of-magna-carta-could-be-used-to-remove-all-our-liberties/
http://mcnultymedia.co.uk/blog/2014/08/how-the-800th-anniversary-of-magna-carta-could-be-used-to-remove-all-our-liberties/#commentsMon, 04 Aug 2014 11:57:56 +0000http://mcnultymedia.co.uk/?p=2148Continue reading How the 800th anniversary of Magna Carta could be used to remove all our liberties→]]>http://mcnultymedia.co.uk/blog/2014/08/how-the-800th-anniversary-of-magna-carta-could-be-used-to-remove-all-our-liberties/feed/2News at Six Complaint Stage 1: BBC Response 2http://mcnultymedia.co.uk/blog/2014/08/news-at-six-complaint-stage-1-bbc-response-2/
http://mcnultymedia.co.uk/blog/2014/08/news-at-six-complaint-stage-1-bbc-response-2/#respondSat, 02 Aug 2014 09:14:11 +0000http://mcnultymedia.co.uk/?p=2390http://mcnultymedia.co.uk/blog/2014/08/news-at-six-complaint-stage-1-bbc-response-2/feed/0Who are the security services protecting, the public or the elite?http://mcnultymedia.co.uk/blog/2014/08/who-are-the-security-services-protecting-the-public-or-the-elite/
http://mcnultymedia.co.uk/blog/2014/08/who-are-the-security-services-protecting-the-public-or-the-elite/#commentsSat, 02 Aug 2014 09:12:21 +0000http://mcnultymedia.co.uk/?p=2137Continue reading Who are the security services protecting, the public or the elite?→]]>http://mcnultymedia.co.uk/blog/2014/08/who-are-the-security-services-protecting-the-public-or-the-elite/feed/1News at Six Complaint Stage 1: BBC Response 1http://mcnultymedia.co.uk/blog/2014/07/news-at-six-complaint-stage-1-bbc-response-1/
http://mcnultymedia.co.uk/blog/2014/07/news-at-six-complaint-stage-1-bbc-response-1/#respondFri, 25 Jul 2014 09:47:18 +0000http://mcnultymedia.co.uk/?p=2386http://mcnultymedia.co.uk/blog/2014/07/news-at-six-complaint-stage-1-bbc-response-1/feed/0News at Six: Viewer Complaint 1http://mcnultymedia.co.uk/blog/2014/07/news-at-six-viewer-complaint-1/
http://mcnultymedia.co.uk/blog/2014/07/news-at-six-viewer-complaint-1/#commentsFri, 25 Jul 2014 09:46:27 +0000http://mcnultymedia.co.uk/?p=2332http://mcnultymedia.co.uk/blog/2014/07/news-at-six-viewer-complaint-1/feed/1Finding the cause of the MH17 disaster, beyond all reasonable doubthttp://mcnultymedia.co.uk/blog/2014/07/finding-the-cause-of-the-mh17-disaster-beyond-all-reasonable-doubt/
http://mcnultymedia.co.uk/blog/2014/07/finding-the-cause-of-the-mh17-disaster-beyond-all-reasonable-doubt/#commentsThu, 24 Jul 2014 11:10:41 +0000http://mcnultymedia.co.uk/?p=2114Continue reading Finding the cause of the MH17 disaster, beyond all reasonable doubt→]]>http://mcnultymedia.co.uk/blog/2014/07/finding-the-cause-of-the-mh17-disaster-beyond-all-reasonable-doubt/feed/4Whose tea has been spiked with LSD, the BBC’s or mine?http://mcnultymedia.co.uk/blog/2014/07/whose-tea-has-been-spiked-with-lsd-the-bbcs-or-mine/
http://mcnultymedia.co.uk/blog/2014/07/whose-tea-has-been-spiked-with-lsd-the-bbcs-or-mine/#commentsWed, 23 Jul 2014 08:58:14 +0000http://mcnultymedia.co.uk/?p=2105Continue reading Whose tea has been spiked with LSD, the BBC’s or mine?→]]>http://mcnultymedia.co.uk/blog/2014/07/whose-tea-has-been-spiked-with-lsd-the-bbcs-or-mine/feed/5Every cloud has a silver lining – just don’t tell the kidshttp://mcnultymedia.co.uk/blog/2014/06/every-cloud-has-a-silver-lining-just-dont-tell-the-kids/
http://mcnultymedia.co.uk/blog/2014/06/every-cloud-has-a-silver-lining-just-dont-tell-the-kids/#respondTue, 10 Jun 2014 19:28:59 +0000http://mcnultymedia.co.uk/?p=2046Continue reading Every cloud has a silver lining – just don’t tell the kids→]]>http://mcnultymedia.co.uk/blog/2014/06/every-cloud-has-a-silver-lining-just-dont-tell-the-kids/feed/0Michael Shrimpton – Spyhunterhttp://mcnultymedia.co.uk/blog/2014/02/michael-shrimpton-spyhunter/
http://mcnultymedia.co.uk/blog/2014/02/michael-shrimpton-spyhunter/#commentsThu, 27 Feb 2014 09:57:08 +0000http://mcnultymedia.co.uk/?p=2057Continue reading Michael Shrimpton – Spyhunter→]]>http://mcnultymedia.co.uk/blog/2014/02/michael-shrimpton-spyhunter/feed/1Income of the 100 richest people could end global poverty 4 times over!http://mcnultymedia.co.uk/blog/2014/02/income-of-the-100-richest-people-could-end-global-poverty-4-times-over/
http://mcnultymedia.co.uk/blog/2014/02/income-of-the-100-richest-people-could-end-global-poverty-4-times-over/#commentsMon, 24 Feb 2014 12:09:45 +0000http://mcnultymedia.co.uk/?p=2021Continue reading Income of the 100 richest people could end global poverty 4 times over!→]]>http://mcnultymedia.co.uk/blog/2014/02/income-of-the-100-richest-people-could-end-global-poverty-4-times-over/feed/1The Year of Code. What’s that all about then?http://mcnultymedia.co.uk/blog/2014/02/the-year-of-code-whats-that-all-about-then/
http://mcnultymedia.co.uk/blog/2014/02/the-year-of-code-whats-that-all-about-then/#respondSun, 23 Feb 2014 11:36:50 +0000http://mcnultymedia.co.uk/?p=2026Continue reading The Year of Code. What’s that all about then?→]]>http://mcnultymedia.co.uk/blog/2014/02/the-year-of-code-whats-that-all-about-then/feed/0What’s really going on in Ukraine?http://mcnultymedia.co.uk/blog/2014/02/whats-really-going-on-in-the-ukraine/
http://mcnultymedia.co.uk/blog/2014/02/whats-really-going-on-in-the-ukraine/#respondFri, 21 Feb 2014 15:45:33 +0000http://mcnultymedia.co.uk/?p=2008Continue reading What’s really going on in Ukraine?→]]>http://mcnultymedia.co.uk/blog/2014/02/whats-really-going-on-in-the-ukraine/feed/0Would you believe it? The Rolling Stones are back on the road … Again!!!http://mcnultymedia.co.uk/blog/2014/02/would-you-believe-it-the-stones-are-on-the-road-again/
http://mcnultymedia.co.uk/blog/2014/02/would-you-believe-it-the-stones-are-on-the-road-again/#commentsFri, 21 Feb 2014 08:40:31 +0000http://mcnultymedia.co.uk/?p=1984Continue reading Would you believe it? The Rolling Stones are back on the road … Again!!!→]]>http://mcnultymedia.co.uk/blog/2014/02/would-you-believe-it-the-stones-are-on-the-road-again/feed/1What supporters of government press regulation want us to forgethttp://mcnultymedia.co.uk/blog/2013/10/what-supporters-of-government-press-regulation-want-us-to-forget/
http://mcnultymedia.co.uk/blog/2013/10/what-supporters-of-government-press-regulation-want-us-to-forget/#commentsSat, 26 Oct 2013 03:15:35 +0000http://mcnultymedia.co.uk/?p=1198Continue reading What supporters of government press regulation want us to forget→]]>http://mcnultymedia.co.uk/blog/2013/10/what-supporters-of-government-press-regulation-want-us-to-forget/feed/3ScottishPower’s 8.6% price hike is a relief – well it would be, wouldn’t it!http://mcnultymedia.co.uk/blog/2013/10/scottishpowers-8-6-price-hike-is-a-relief-well-it-would-be-wouldnt-it/
http://mcnultymedia.co.uk/blog/2013/10/scottishpowers-8-6-price-hike-is-a-relief-well-it-would-be-wouldnt-it/#respondThu, 24 Oct 2013 20:15:12 +0000http://mcnultymedia.co.uk/?p=1631Continue reading ScottishPower’s 8.6% price hike is a relief – well it would be, wouldn’t it!→]]>http://mcnultymedia.co.uk/blog/2013/10/scottishpowers-8-6-price-hike-is-a-relief-well-it-would-be-wouldnt-it/feed/0Don’t worry about Russell Brand, worry about Jeremy Paxmanhttp://mcnultymedia.co.uk/blog/2013/10/dont-worry-about-russell-brand-worry-about-jeremy-paxman/
http://mcnultymedia.co.uk/blog/2013/10/dont-worry-about-russell-brand-worry-about-jeremy-paxman/#respondThu, 24 Oct 2013 06:53:10 +0000http://mcnultymedia.co.uk/?p=1222Continue reading Don’t worry about Russell Brand, worry about Jeremy Paxman→]]>http://mcnultymedia.co.uk/blog/2013/10/dont-worry-about-russell-brand-worry-about-jeremy-paxman/feed/0Cameron surrenders to Big Six lobby and Labour takes the blame again!http://mcnultymedia.co.uk/blog/2013/10/cameron-gives-in-to-the-big-six-and-labour-gets-the-blame-again/
http://mcnultymedia.co.uk/blog/2013/10/cameron-gives-in-to-the-big-six-and-labour-gets-the-blame-again/#commentsWed, 23 Oct 2013 22:45:59 +0000http://mcnultymedia.co.uk/?p=1634Continue reading Cameron surrenders to Big Six lobby and Labour takes the blame again!→]]>http://mcnultymedia.co.uk/blog/2013/10/cameron-gives-in-to-the-big-six-and-labour-gets-the-blame-again/feed/3ScottishPower’s £8.5m ‘fine’ for mis-selling stays out of the headlineshttp://mcnultymedia.co.uk/blog/2013/10/scottishpowers-8-5m-fine-for-mis-selling-stays-out-of-the-headlines/
http://mcnultymedia.co.uk/blog/2013/10/scottishpowers-8-5m-fine-for-mis-selling-stays-out-of-the-headlines/#commentsTue, 22 Oct 2013 20:05:23 +0000http://mcnultymedia.co.uk/?p=1723Continue reading ScottishPower’s £8.5m ‘fine’ for mis-selling stays out of the headlines→]]>http://mcnultymedia.co.uk/blog/2013/10/scottishpowers-8-5m-fine-for-mis-selling-stays-out-of-the-headlines/feed/1Npower hikes energy bills 10.4% – are they trying to take the pi$$?http://mcnultymedia.co.uk/blog/2013/10/npower-hikes-energy-bills-10-4-are-they-taking-the-pi/
http://mcnultymedia.co.uk/blog/2013/10/npower-hikes-energy-bills-10-4-are-they-taking-the-pi/#respondMon, 21 Oct 2013 22:27:04 +0000http://mcnultymedia.co.uk/?p=1380Continue reading Npower hikes energy bills 10.4% – are they trying to take the pi$$?→]]>http://mcnultymedia.co.uk/blog/2013/10/npower-hikes-energy-bills-10-4-are-they-taking-the-pi/feed/0‘Kids’ YouTube clip hit by another music copyright warning!http://mcnultymedia.co.uk/blog/2013/10/are-the-kids-alright-film-clip-hit-by-another-music-copyright-warning/
http://mcnultymedia.co.uk/blog/2013/10/are-the-kids-alright-film-clip-hit-by-another-music-copyright-warning/#respondMon, 21 Oct 2013 08:12:04 +0000http://mcnultymedia.co.uk/?p=1048Continue reading ‘Kids’ YouTube clip hit by another music copyright warning!→]]>http://mcnultymedia.co.uk/blog/2013/10/are-the-kids-alright-film-clip-hit-by-another-music-copyright-warning/feed/0British Gas 9.2% price hike is robbery admits Minister – but bills are easier to read!http://mcnultymedia.co.uk/blog/2013/10/british-gas-9-2-price-hike-is-robbery-admits-minister-but-bills-are-easier-to-read/
http://mcnultymedia.co.uk/blog/2013/10/british-gas-9-2-price-hike-is-robbery-admits-minister-but-bills-are-easier-to-read/#commentsThu, 17 Oct 2013 20:30:56 +0000http://mcnultymedia.co.uk/?p=1146Continue reading British Gas 9.2% price hike is robbery admits Minister – but bills are easier to read!→]]>http://mcnultymedia.co.uk/blog/2013/10/british-gas-9-2-price-hike-is-robbery-admits-minister-but-bills-are-easier-to-read/feed/2Media and energy companies conspire to ‘mislead’ says President of the British Academyhttp://mcnultymedia.co.uk/blog/2013/10/media-and-energy-companies-conspire-to-mislead-says-president-of-the-british-academy/
http://mcnultymedia.co.uk/blog/2013/10/media-and-energy-companies-conspire-to-mislead-says-president-of-the-british-academy/#commentsFri, 11 Oct 2013 16:49:06 +0000http://mcnultymedia.co.uk/?p=1253Continue reading Media and energy companies conspire to ‘mislead’ says President of the British Academy→]]>http://mcnultymedia.co.uk/blog/2013/10/media-and-energy-companies-conspire-to-mislead-says-president-of-the-british-academy/feed/1SSE marks up their expenses by 50% – and they don’t call that profit!http://mcnultymedia.co.uk/blog/2013/10/sse-marks-up-their-expenses-by-50-and-they-dont-call-that-profit/
http://mcnultymedia.co.uk/blog/2013/10/sse-marks-up-their-expenses-by-50-and-they-dont-call-that-profit/#commentsThu, 10 Oct 2013 16:09:53 +0000http://mcnultymedia.co.uk/?p=876Continue reading SSE marks up their expenses by 50% – and they don’t call that profit!→]]>http://mcnultymedia.co.uk/blog/2013/10/sse-marks-up-their-expenses-by-50-and-they-dont-call-that-profit/feed/5Big Six mounts offensive against Labour – just don’t mention Libor!http://mcnultymedia.co.uk/blog/2013/09/big-six-mounts-offensive-against-labour-just-dont-mention-libor/
http://mcnultymedia.co.uk/blog/2013/09/big-six-mounts-offensive-against-labour-just-dont-mention-libor/#commentsWed, 25 Sep 2013 20:19:53 +0000http://mcnultymedia.co.uk/?p=1496Continue reading Big Six mounts offensive against Labour – just don’t mention Libor!→]]>http://mcnultymedia.co.uk/blog/2013/09/big-six-mounts-offensive-against-labour-just-dont-mention-libor/feed/2Energy bills – what happened to the missing 23 percent?http://mcnultymedia.co.uk/blog/2013/09/energy-bills-what-happened-to-the-missing-23-percent/
http://mcnultymedia.co.uk/blog/2013/09/energy-bills-what-happened-to-the-missing-23-percent/#commentsTue, 24 Sep 2013 22:00:35 +0000http://belmontpost.co.uk/dev/?p=579Continue reading Energy bills – what happened to the missing 23 percent?→]]>http://mcnultymedia.co.uk/blog/2013/09/energy-bills-what-happened-to-the-missing-23-percent/feed/5Labour promises price freeze, energy companies threaten power cuts!http://mcnultymedia.co.uk/blog/2013/09/labour-promises-energy-price-freeze-energy-companies-threaten-power-cuts-and-higher-bills/
http://mcnultymedia.co.uk/blog/2013/09/labour-promises-energy-price-freeze-energy-companies-threaten-power-cuts-and-higher-bills/#respondTue, 24 Sep 2013 16:35:27 +0000http://mcnultymedia.co.uk/?p=1268Continue reading Labour promises price freeze, energy companies threaten power cuts!→]]>http://mcnultymedia.co.uk/blog/2013/09/labour-promises-energy-price-freeze-energy-companies-threaten-power-cuts-and-higher-bills/feed/0Perversions made possible by the machine agehttp://mcnultymedia.co.uk/blog/2013/09/perversions-made-possible-by-the-machine-age/
http://mcnultymedia.co.uk/blog/2013/09/perversions-made-possible-by-the-machine-age/#respondMon, 16 Sep 2013 09:58:25 +0000http://belmontpost.co.uk/dev/?p=563Continue reading Perversions made possible by the machine age→]]>http://mcnultymedia.co.uk/blog/2013/09/perversions-made-possible-by-the-machine-age/feed/0loveVintageDiamondshttp://mcnultymedia.co.uk/blog/2013/05/lovevintagediamonds/
http://mcnultymedia.co.uk/blog/2013/05/lovevintagediamonds/#respondMon, 20 May 2013 10:35:29 +0000http://mcnultymedia.co.uk/?p=677Continue reading loveVintageDiamonds→]]>http://mcnultymedia.co.uk/blog/2013/05/lovevintagediamonds/feed/0Oh how times have changed!http://mcnultymedia.co.uk/blog/2013/05/oh-how-times-have-changed/
http://mcnultymedia.co.uk/blog/2013/05/oh-how-times-have-changed/#commentsSat, 18 May 2013 08:56:35 +0000http://mcnultymedia.co.uk/?p=935Continue reading Oh how times have changed!→]]>http://mcnultymedia.co.uk/blog/2013/05/oh-how-times-have-changed/feed/1What does the Challenger disaster tell us about the meaning of “evidence”?http://mcnultymedia.co.uk/blog/2013/05/what-does-the-challenger-disaster-tell-us-about-the-meaning-of-evidence/
http://mcnultymedia.co.uk/blog/2013/05/what-does-the-challenger-disaster-tell-us-about-the-meaning-of-evidence/#respondSun, 12 May 2013 19:00:15 +0000http://belmontpost.co.uk/dev/?p=600Continue reading What does the Challenger disaster tell us about the meaning of “evidence”?→]]>http://mcnultymedia.co.uk/blog/2013/05/what-does-the-challenger-disaster-tell-us-about-the-meaning-of-evidence/feed/0Phoenix Dance Theatre – Particle Velocityhttp://mcnultymedia.co.uk/blog/2013/05/phoenix-dance-theatre-particle-velocity/
http://mcnultymedia.co.uk/blog/2013/05/phoenix-dance-theatre-particle-velocity/#respondSat, 04 May 2013 23:00:50 +0000http://mcnultymedia.co.uk/?p=817
The Observer
Review
Phoenix dance theatre is on a high. With new purpose-built premises in Leeds, and a charismatic director in Sharon Watson, the 10-strong ensemble is ready to take on the world. On Tuesday night, with a cold wind slicing off the sea, a small but enthusiastic crowd bundled into the Connaught theatre to catch Phoenix's latest programme, Particle Velocity. Richard Alston's All Alight was created for the company earlier this year, and its lyricism and quiet good manners make it a perfect opener. Set to Ravel's Sonata]]>http://mcnultymedia.co.uk/blog/2013/05/phoenix-dance-theatre-particle-velocity/feed/0Reflections on the dance phenomenon at Harehills Middle Schoolhttp://mcnultymedia.co.uk/blog/2013/03/reflections-on-the-dance-phenomenon-at-harehills-middle-school/
http://mcnultymedia.co.uk/blog/2013/03/reflections-on-the-dance-phenomenon-at-harehills-middle-school/#commentsFri, 22 Mar 2013 09:00:55 +0000http://mcnultymedia.co.uk/?p=852
Nadine Senior
dance UK
Nadine Senior, Founder of Northern School of Contemporary Dance, reflects on the incredible success of her work as a dance teacher at Harehills Middle School in the 1970s and 1980s.
In 1970, I was appointed Head of Physical Education in an all-girls high school in Leeds. Many of the girls in this inner city, multi-cultural school had behavioural problems and one of them eventually burnt the school to the ground]]>http://mcnultymedia.co.uk/blog/2013/03/reflections-on-the-dance-phenomenon-at-harehills-middle-school/feed/1Back to school?http://mcnultymedia.co.uk/blog/2008/08/back-to-school/
http://mcnultymedia.co.uk/blog/2008/08/back-to-school/#respondFri, 29 Aug 2008 15:26:27 +0000http://mcnultymedia.co.uk/?p=798BBC Leeds
Harehills Middle School has been reborn as Shine – a building for start-ups, established businesses and the arts. The school’s most lasting legacy is perhaps a passion for dance in Leeds. Nadine Senior was appointed Senior PE teacher at the school during the 1970s. One result was the birth of, the now nationally renowned, Phoenix Dance Theatre and later the Northern School of Contemporary Dance]]>http://mcnultymedia.co.uk/blog/2008/08/back-to-school/feed/0Brunel, Bhagwan, The Beatles and the collapse of Western Civilizationhttp://mcnultymedia.co.uk/blog/2006/03/brunel-bhagwan-the-beatles-and-the-collapse-of-western-civilization/
http://mcnultymedia.co.uk/blog/2006/03/brunel-bhagwan-the-beatles-and-the-collapse-of-western-civilization/#respondSat, 25 Mar 2006 12:00:44 +0000http://belmontpost.co.uk/dev/?p=274Continue reading Brunel, Bhagwan, The Beatles and the collapse of Western Civilization→]]>http://mcnultymedia.co.uk/blog/2006/03/brunel-bhagwan-the-beatles-and-the-collapse-of-western-civilization/feed/0BBC replaces inquisitive, creative people with undistinguished managers in suitshttp://mcnultymedia.co.uk/blog/2005/03/bbc-replaces-inquisitive-creative-people-with-undistinguished-managers-in-suits/
http://mcnultymedia.co.uk/blog/2005/03/bbc-replaces-inquisitive-creative-people-with-undistinguished-managers-in-suits/#respondSun, 06 Mar 2005 11:53:51 +0000http://belmontpost.co.uk/dev/?p=272Continue reading BBC replaces inquisitive, creative people with undistinguished managers in suits→]]>http://mcnultymedia.co.uk/blog/2005/03/bbc-replaces-inquisitive-creative-people-with-undistinguished-managers-in-suits/feed/0Business leaders are the kind of people you would willingly cross live rails in damp socks to avoidhttp://mcnultymedia.co.uk/blog/2005/02/business-leaders-are-the-kind-of-people-you-would-willingly-cross-live-rails-in-damp-socks-to-avoid/
http://mcnultymedia.co.uk/blog/2005/02/business-leaders-are-the-kind-of-people-you-would-willingly-cross-live-rails-in-damp-socks-to-avoid/#respondSun, 20 Feb 2005 10:47:17 +0000http://belmontpost.co.uk/dev/?p=267Continue reading Business leaders are the kind of people you would willingly cross live rails in damp socks to avoid→]]>http://mcnultymedia.co.uk/blog/2005/02/business-leaders-are-the-kind-of-people-you-would-willingly-cross-live-rails-in-damp-socks-to-avoid/feed/030 kg plutonium missing from Sellafield nuclear planthttp://mcnultymedia.co.uk/blog/2005/02/30-kg-plutonium-missing-from-sellafield-nuclear-plant/
http://mcnultymedia.co.uk/blog/2005/02/30-kg-plutonium-missing-from-sellafield-nuclear-plant/#respondThu, 17 Feb 2005 07:20:59 +0000http://belmontpost.co.uk/dev/?p=262Continue reading 30 kg plutonium missing from Sellafield nuclear plant→]]>http://mcnultymedia.co.uk/blog/2005/02/30-kg-plutonium-missing-from-sellafield-nuclear-plant/feed/0Honesty and fair dealinghttp://mcnultymedia.co.uk/blog/2005/01/honesty-and-fair-dealing/
http://mcnultymedia.co.uk/blog/2005/01/honesty-and-fair-dealing/#respondWed, 26 Jan 2005 07:09:28 +0000http://belmontpost.co.uk/dev/?p=259http://mcnultymedia.co.uk/blog/2005/01/honesty-and-fair-dealing/feed/0Technology and experiencehttp://mcnultymedia.co.uk/blog/2005/01/technology-and-experience/
http://mcnultymedia.co.uk/blog/2005/01/technology-and-experience/#respondSun, 23 Jan 2005 06:49:20 +0000http://belmontpost.co.uk/dev/?p=257http://mcnultymedia.co.uk/blog/2005/01/technology-and-experience/feed/0UK more class-ridden now than in the 1950shttp://mcnultymedia.co.uk/blog/2005/01/uk-more-class-ridden-now-than-in-the-1950s/
http://mcnultymedia.co.uk/blog/2005/01/uk-more-class-ridden-now-than-in-the-1950s/#respondSun, 16 Jan 2005 06:45:24 +0000http://belmontpost.co.uk/dev/?p=255Continue reading UK more class-ridden now than in the 1950s→]]>http://mcnultymedia.co.uk/blog/2005/01/uk-more-class-ridden-now-than-in-the-1950s/feed/0How consumer society creates perpetual generational Cold Warhttp://mcnultymedia.co.uk/blog/2004/11/how-consumer-society-creates-perpetual-generational-cold-war/
http://mcnultymedia.co.uk/blog/2004/11/how-consumer-society-creates-perpetual-generational-cold-war/#respondSun, 21 Nov 2004 00:00:46 +0000http://belmontpost.co.uk/dev/?p=238Continue reading How consumer society creates perpetual generational Cold War→]]>http://mcnultymedia.co.uk/blog/2004/11/how-consumer-society-creates-perpetual-generational-cold-war/feed/0How public school sustained John Peel at the BBChttp://mcnultymedia.co.uk/blog/2004/10/how-public-school-sustained-john-peel-at-the-bbc/
http://mcnultymedia.co.uk/blog/2004/10/how-public-school-sustained-john-peel-at-the-bbc/#respondSun, 31 Oct 2004 16:18:33 +0000http://belmontpost.co.uk/dev/?p=236Continue reading How public school sustained John Peel at the BBC→]]>http://mcnultymedia.co.uk/blog/2004/10/how-public-school-sustained-john-peel-at-the-bbc/feed/0BBC2 documentaries are peurilehttp://mcnultymedia.co.uk/blog/2004/03/bbc-documentaries-are-peurile/
http://mcnultymedia.co.uk/blog/2004/03/bbc-documentaries-are-peurile/#respondSun, 14 Mar 2004 16:14:23 +0000http://belmontpost.co.uk/dev/?p=234http://mcnultymedia.co.uk/blog/2004/03/bbc-documentaries-are-peurile/feed/0TV shows are terribly mean-spiritedhttp://mcnultymedia.co.uk/blog/2003/03/tv-shows-are-terribly-mean-spirited/
http://mcnultymedia.co.uk/blog/2003/03/tv-shows-are-terribly-mean-spirited/#respondMon, 03 Mar 2003 16:37:07 +0000http://belmontpost.co.uk/dev/?p=242http://mcnultymedia.co.uk/blog/2003/03/tv-shows-are-terribly-mean-spirited/feed/0How middle-class consensus makes TV news less attractive to viewershttp://mcnultymedia.co.uk/blog/2002/12/how-middle-class-consensus-makes-tv-news-less-attractive-to-viewers/
http://mcnultymedia.co.uk/blog/2002/12/how-middle-class-consensus-makes-tv-news-less-attractive-to-viewers/#respondSun, 08 Dec 2002 16:11:44 +0000http://belmontpost.co.uk/dev/?p=232http://mcnultymedia.co.uk/blog/2002/12/how-middle-class-consensus-makes-tv-news-less-attractive-to-viewers/feed/0The 7 percent who attend private schools take 50 percent of the places at Oxford and Cambridgehttp://mcnultymedia.co.uk/blog/2002/07/the-7-percent-who-attend-private-schools-take-50-percent-of-the-places-at-oxford-and-cambridge/
http://mcnultymedia.co.uk/blog/2002/07/the-7-percent-who-attend-private-schools-take-50-percent-of-the-places-at-oxford-and-cambridge/#respondSun, 07 Jul 2002 15:06:14 +0000http://belmontpost.co.uk/dev/?p=230Continue reading The 7 percent who attend private schools take 50 percent of the places at Oxford and Cambridge→]]>http://mcnultymedia.co.uk/blog/2002/07/the-7-percent-who-attend-private-schools-take-50-percent-of-the-places-at-oxford-and-cambridge/feed/0Public services run by targets will either seize up or explodehttp://mcnultymedia.co.uk/blog/2002/05/public-services-run-by-targets-will-either-seize-up-or-explode/
http://mcnultymedia.co.uk/blog/2002/05/public-services-run-by-targets-will-either-seize-up-or-explode/#respondSun, 26 May 2002 14:53:58 +0000http://belmontpost.co.uk/dev/?p=222Continue reading Public services run by targets will either seize up or explode→]]>http://mcnultymedia.co.uk/blog/2002/05/public-services-run-by-targets-will-either-seize-up-or-explode/feed/0BBC copied ‘That’s Life’ format and gave it to a senior executive’s girlfriendhttp://mcnultymedia.co.uk/blog/2002/05/bbc-copied-thats-life-format-and-gave-it-to-a-senior-executives-girlfriend/
http://mcnultymedia.co.uk/blog/2002/05/bbc-copied-thats-life-format-and-gave-it-to-a-senior-executives-girlfriend/#respondSat, 25 May 2002 15:32:34 +0000http://belmontpost.co.uk/dev/?p=240Continue reading BBC copied ‘That’s Life’ format and gave it to a senior executive’s girlfriend→]]>http://mcnultymedia.co.uk/blog/2002/05/bbc-copied-thats-life-format-and-gave-it-to-a-senior-executives-girlfriend/feed/0At the BBC diversity means acting and thinking like themhttp://mcnultymedia.co.uk/blog/2002/05/at-the-bbc-diversity-means-acting-and-thinking-like-them/
http://mcnultymedia.co.uk/blog/2002/05/at-the-bbc-diversity-means-acting-and-thinking-like-them/#respondMon, 13 May 2002 14:50:18 +0000http://belmontpost.co.uk/dev/?p=220Continue reading At the BBC diversity means acting and thinking like them→]]>http://mcnultymedia.co.uk/blog/2002/05/at-the-bbc-diversity-means-acting-and-thinking-like-them/feed/0BBC is Oxbridge dominated and hideously whitehttp://mcnultymedia.co.uk/blog/2002/05/bbc-is-oxbridge-dominated-and-hideously-white/
http://mcnultymedia.co.uk/blog/2002/05/bbc-is-oxbridge-dominated-and-hideously-white/#respondMon, 13 May 2002 14:47:05 +0000http://belmontpost.co.uk/dev/?p=218http://mcnultymedia.co.uk/blog/2002/05/bbc-is-oxbridge-dominated-and-hideously-white/feed/0Top jobs have become more Oxbridge dominated under New Labourhttp://mcnultymedia.co.uk/blog/2002/04/top-jobs-have-become-more-oxbridge-dominated-under-new-labour/
http://mcnultymedia.co.uk/blog/2002/04/top-jobs-have-become-more-oxbridge-dominated-under-new-labour/#respondSun, 14 Apr 2002 14:43:25 +0000http://belmontpost.co.uk/dev/?p=216Continue reading Top jobs have become more Oxbridge dominated under New Labour→]]>http://mcnultymedia.co.uk/blog/2002/04/top-jobs-have-become-more-oxbridge-dominated-under-new-labour/feed/0Angling Atlas 1.0http://mcnultymedia.co.uk/blog/2001/11/angling-atlas-1-0/
http://mcnultymedia.co.uk/blog/2001/11/angling-atlas-1-0/#respondTue, 13 Nov 2001 09:00:26 +0000http://belmontpost.co.uk/dev/?p=557http://mcnultymedia.co.uk/blog/2001/11/angling-atlas-1-0/feed/0Television companies steal ideashttp://mcnultymedia.co.uk/blog/2001/05/television-companies-steal-ideas/
http://mcnultymedia.co.uk/blog/2001/05/television-companies-steal-ideas/#respondMon, 14 May 2001 13:29:29 +0000http://belmontpost.co.uk/dev/?p=213Continue reading Television companies steal ideas→]]>http://mcnultymedia.co.uk/blog/2001/05/television-companies-steal-ideas/feed/0At the BBC someone is always trying to stop someone more talented from doing somethinghttp://mcnultymedia.co.uk/blog/2001/03/at-the-bbc-someone-is-always-trying-to-stop-someone-more-talented-from-doing-something/
http://mcnultymedia.co.uk/blog/2001/03/at-the-bbc-someone-is-always-trying-to-stop-someone-more-talented-from-doing-something/#respondTue, 06 Mar 2001 14:19:44 +0000http://belmontpost.co.uk/dev/?p=210http://mcnultymedia.co.uk/blog/2001/03/at-the-bbc-someone-is-always-trying-to-stop-someone-more-talented-from-doing-something/feed/0How TV programmes get madehttp://mcnultymedia.co.uk/blog/2000/06/how-tv-programmes-get-made/
http://mcnultymedia.co.uk/blog/2000/06/how-tv-programmes-get-made/#commentsThu, 01 Jun 2000 13:11:58 +0000http://belmontpost.co.uk/dev/?p=207Continue reading How TV programmes get made→]]>http://mcnultymedia.co.uk/blog/2000/06/how-tv-programmes-get-made/feed/1I’m young, you’re old, I hate you! Now buy me those trousers!http://mcnultymedia.co.uk/blog/1999/06/im-young-youre-old-i-hate-you-now-buy-me-those-trousers/
http://mcnultymedia.co.uk/blog/1999/06/im-young-youre-old-i-hate-you-now-buy-me-those-trousers/#respondSun, 06 Jun 1999 13:03:06 +0000http://belmontpost.co.uk/dev/?p=202Continue reading I’m young, you’re old, I hate you! Now buy me those trousers!→]]>http://mcnultymedia.co.uk/blog/1999/06/im-young-youre-old-i-hate-you-now-buy-me-those-trousers/feed/0Capital has defeated labour after a 200-year battlehttp://mcnultymedia.co.uk/blog/1999/03/capital-has-defeated-labour-after-a-200-year-battle/
http://mcnultymedia.co.uk/blog/1999/03/capital-has-defeated-labour-after-a-200-year-battle/#respondSat, 13 Mar 1999 13:46:37 +0000http://belmontpost.co.uk/dev/?p=196Continue reading Capital has defeated labour after a 200-year battle→]]>http://mcnultymedia.co.uk/blog/1999/03/capital-has-defeated-labour-after-a-200-year-battle/feed/0TV penetrates our lives in ways we scarcely realisehttp://mcnultymedia.co.uk/blog/1999/03/tv-penetrates-our-lives-in-ways-we-scarcely-realise/
http://mcnultymedia.co.uk/blog/1999/03/tv-penetrates-our-lives-in-ways-we-scarcely-realise/#respondThu, 11 Mar 1999 13:51:19 +0000http://belmontpost.co.uk/dev/?p=198Continue reading TV penetrates our lives in ways we scarcely realise→]]>http://mcnultymedia.co.uk/blog/1999/03/tv-penetrates-our-lives-in-ways-we-scarcely-realise/feed/0Americans are so powerful and know so littlehttp://mcnultymedia.co.uk/blog/1999/01/americans-are-so-powerful-and-know-so-little/
http://mcnultymedia.co.uk/blog/1999/01/americans-are-so-powerful-and-know-so-little/#respondTue, 12 Jan 1999 13:39:06 +0000http://belmontpost.co.uk/dev/?p=193Continue reading Americans are so powerful and know so little→]]>http://mcnultymedia.co.uk/blog/1999/01/americans-are-so-powerful-and-know-so-little/feed/0Only the elite can afford to indulge their feelingshttp://mcnultymedia.co.uk/blog/1999/01/only-the-elite-can-afford-to-indulge-their-feelings/
http://mcnultymedia.co.uk/blog/1999/01/only-the-elite-can-afford-to-indulge-their-feelings/#respondFri, 08 Jan 1999 16:53:43 +0000http://belmontpost.co.uk/dev/?p=249Continue reading Only the elite can afford to indulge their feelings→]]>http://mcnultymedia.co.uk/blog/1999/01/only-the-elite-can-afford-to-indulge-their-feelings/feed/0How a superiority to reason protects you from do-goodershttp://mcnultymedia.co.uk/blog/1999/01/how-a-superiority-to-reason-protects-you-from-do-gooders/
http://mcnultymedia.co.uk/blog/1999/01/how-a-superiority-to-reason-protects-you-from-do-gooders/#respondFri, 08 Jan 1999 16:51:09 +0000http://belmontpost.co.uk/dev/?p=245http://mcnultymedia.co.uk/blog/1999/01/how-a-superiority-to-reason-protects-you-from-do-gooders/feed/0When a woman wants me to do anything, I always insist on knowing whyhttp://mcnultymedia.co.uk/blog/1999/01/when-a-woman-wants-me-to-do-anything-i-always-insist-on-knowing-why/
http://mcnultymedia.co.uk/blog/1999/01/when-a-woman-wants-me-to-do-anything-i-always-insist-on-knowing-why/#respondFri, 08 Jan 1999 13:34:46 +0000http://belmontpost.co.uk/dev/?p=191Continue reading When a woman wants me to do anything, I always insist on knowing why→]]>http://mcnultymedia.co.uk/blog/1999/01/when-a-woman-wants-me-to-do-anything-i-always-insist-on-knowing-why/feed/0Tows Bank Colliery (near Alston), Deutsche Welle TV (1993)http://mcnultymedia.co.uk/blog/1993/02/tows-bank-colliery-near-alston-deutsche-welle-tv/
http://mcnultymedia.co.uk/blog/1993/02/tows-bank-colliery-near-alston-deutsche-welle-tv/#respondTue, 02 Feb 1993 20:00:45 +0000http://mcnultymedia.co.uk/?p=1109Continue reading Tows Bank Colliery (near Alston), Deutsche Welle TV (1993)→]]>http://mcnultymedia.co.uk/blog/1993/02/tows-bank-colliery-near-alston-deutsche-welle-tv/feed/0Why should the dregs of our society act in a caring and decent manner when our self-seeking leaders don’t care about fairness and freedom?http://mcnultymedia.co.uk/blog/1991/07/why-should-the-dregs-of-our-society-act-in-a-caring-and-decent-manner-when-our-self-seeking-leaders-dont-care-about-fairness-and-freedom/
http://mcnultymedia.co.uk/blog/1991/07/why-should-the-dregs-of-our-society-act-in-a-caring-and-decent-manner-when-our-self-seeking-leaders-dont-care-about-fairness-and-freedom/#respondThu, 11 Jul 1991 11:13:05 +0000http://belmontpost.co.uk/dev/?p=184Continue reading Why should the dregs of our society act in a caring and decent manner when our self-seeking leaders don’t care about fairness and freedom?→]]>http://mcnultymedia.co.uk/blog/1991/07/why-should-the-dregs-of-our-society-act-in-a-caring-and-decent-manner-when-our-self-seeking-leaders-dont-care-about-fairness-and-freedom/feed/0Off Air, Broadcast, W Stephen Gilberthttp://mcnultymedia.co.uk/blog/1981/08/off-air-broadcast-w-stephen-gilbert/
http://mcnultymedia.co.uk/blog/1981/08/off-air-broadcast-w-stephen-gilbert/#respondMon, 31 Aug 1981 06:02:57 +0000http://mcnultymedia.co.uk/?p=2718
Broadcast, 31 Aug 1981
W Stephen Gilbert
Off Air
BBC2
The BBC Manchester series City was a more random collection of reports on where we're at. I caught four editions, particularly enjoying Ian McNulty's well thought-through film on musical life in Leeds. Apart from the diversity of musical styles, the fragmentation of socio-political attitudes also came over.]]>http://mcnultymedia.co.uk/blog/1981/08/off-air-broadcast-w-stephen-gilbert/feed/0Clive James, The Observerhttp://mcnultymedia.co.uk/blog/1981/08/clive-james-the-observer/
http://mcnultymedia.co.uk/blog/1981/08/clive-james-the-observer/#respondSun, 23 Aug 1981 05:36:52 +0000http://mcnultymedia.co.uk/?p=2707
Clive James
The Observer
23 Aug 1981
An unintentionally wonderful programme called A Town Like New Orleans (BBC2) showed what happens when people whose proper concerns should be some form of fruitful labour start mucking about with art. Few real artistes despise business - in fact the more original they are, the more they tend to respect the workaday world - but it is a hallmark of the dabbler that he prides himself in being set apart, and so it proved here.]]>http://mcnultymedia.co.uk/blog/1981/08/clive-james-the-observer/feed/0Something stirring up Northhttp://mcnultymedia.co.uk/blog/1981/08/something-stirring-up-north/
http://mcnultymedia.co.uk/blog/1981/08/something-stirring-up-north/#respondSat, 15 Aug 1981 06:45:39 +0000http://mcnultymedia.co.uk/?p=2699
The Times, 15 Aug 1981
Dennis Hackett
A Town Like New Orleans?
BBC2
All in all, very good television, may be occasional but delightful, beautifully photographed and edited and with no obtrusive interviewer. It was produced by Ian McNulty who doubtless knew, as I did, that Leeds is nothing like New Orleans but has its own stubborn brand of individualism and is worth keeping an eye on for just that reason.]]>http://mcnultymedia.co.uk/blog/1981/08/something-stirring-up-north/feed/0A Town Like New Orleans? City, BBC2 (1981)http://mcnultymedia.co.uk/blog/1981/08/a-town-like-new-orleans-city-bbc2-1981/
http://mcnultymedia.co.uk/blog/1981/08/a-town-like-new-orleans-city-bbc2-1981/#respondFri, 14 Aug 1981 20:45:16 +0000http://mcnultymedia.co.uk/?p=2689
Radio Times
BBC2, 21:45
CITY
A Town Like New Orleans
In every town there are thousands of musicians - ignored by both television and the music industry alike - playing live music for fun and very little money. Watch and enjoy the Jack Bennett All-Stars, Another Colour, Howard Sarna, the Roskoe Players, the Zero Slingsby Quintet and The Commies from Mars.]]>http://mcnultymedia.co.uk/blog/1981/08/a-town-like-new-orleans-city-bbc2-1981/feed/0The making and breaking of street musichttp://mcnultymedia.co.uk/blog/1981/08/the-making-and-breaking-of-street-music/
http://mcnultymedia.co.uk/blog/1981/08/the-making-and-breaking-of-street-music/#respondFri, 14 Aug 1981 07:03:33 +0000http://mcnultymedia.co.uk/?p=2702
Daily Mail , 15 Aug 1981
Mary Kenny
They talk about books, plays, films, television programmes which 'change your life,' ... But last night's programme A Town Like New Orleans? had a direct influence on my behaviour. Having seen it, I deliberately went out and put money in every buskers collecting hat that I could see.]]>http://mcnultymedia.co.uk/blog/1981/08/the-making-and-breaking-of-street-music/feed/0Today’s Television, Peter Davalle, The Timeshttp://mcnultymedia.co.uk/blog/1981/08/todays-television-peter-davalle-the-times/
http://mcnultymedia.co.uk/blog/1981/08/todays-television-peter-davalle-the-times/#respondFri, 14 Aug 1981 06:21:30 +0000http://mcnultymedia.co.uk/?p=2693
Today's Television
The Times , 14 Aug 1981
Peter Davalle
A TOWN LIKE NEW ORLEANS? (BBC2, 9.45 pm) is about a musical explosion, or rather a series of pops, because this is a film about Leeds' two hundred or so jazz, rock and folk groups that pack the pubs, the pavements and the front rooms of unlovely semi-detached houses. ]]>http://mcnultymedia.co.uk/blog/1981/08/todays-television-peter-davalle-the-times/feed/0The Blight, Brass Tacks, BBC2 (1980)http://mcnultymedia.co.uk/blog/1980/07/the-blight-brass-tacks-bbc2-1980/
http://mcnultymedia.co.uk/blog/1980/07/the-blight-brass-tacks-bbc2-1980/#respondMon, 14 Jul 1980 20:25:18 +0000http://mcnultymedia.co.uk/?p=2676
BBC2
21:25
Brass Tacks
The Blight
In many Durham mining villages residents are suffering from planning blight, whilst in Macclesfield, architect Rod Hackney refurbishes old houses and communities. As Langley Park's Railway Street faces the bulldozers, we ask should local authorities demolish old housing or renovate instead?]]>http://mcnultymedia.co.uk/blog/1980/07/the-blight-brass-tacks-bbc2-1980/feed/0Blight row comes into full view – Northern Echohttp://mcnultymedia.co.uk/blog/1980/06/blight-row-comes-into-full-view-northern-echo/
http://mcnultymedia.co.uk/blog/1980/06/blight-row-comes-into-full-view-northern-echo/#respondThu, 12 Jun 1980 07:15:29 +0000http://belmontpost.co.uk/dev/?p=161Continue reading Blight row comes into full view – Northern Echo→]]>http://mcnultymedia.co.uk/blog/1980/06/blight-row-comes-into-full-view-northern-echo/feed/0Picture of Wearside – in the right focushttp://mcnultymedia.co.uk/blog/1979/08/picture-of-wearside-in-the-right-focus/
http://mcnultymedia.co.uk/blog/1979/08/picture-of-wearside-in-the-right-focus/#respondThu, 30 Aug 1979 11:00:47 +0000http://mcnultymedia.co.uk/?p=1107Evening Chronicle
JOBLESS teenagers hope to give ailing Wearside a television tonic. They believe there is plenty in Sunderland to smile about and to prove it they are to make a film of life in the town. The film makers then plan to send their documentary to the BBC in answer to a film about the town called "Are the Kids All Right" which painted a dismal picture of dole queues and street fights. Danny Dixon, a member of Southwick Neighbourhood Youth Projects (SNYP) explained yesterday that the youngsters were so annoyed by the BBC film that]]>http://mcnultymedia.co.uk/blog/1979/08/picture-of-wearside-in-the-right-focus/feed/0Selected..the Rejected!http://mcnultymedia.co.uk/blog/1979/08/selected-the-rejected/
http://mcnultymedia.co.uk/blog/1979/08/selected-the-rejected/#respondWed, 22 Aug 1979 23:31:58 +0000http://mcnultymedia.co.uk/?p=1100
Daily Mirror
Story: Ken Tossel
Picture: Tom Buist
These four 16-year-old punk rockers might look dejected. But soon they may find it difficult to live down to the name of their group . . .The Rejected. For they performed a song they wrote - about the plight of jobless teenagers like themselves in their home town of Sunderland - on a BBC-2 documentary last week. And now three recording companies are interested in the boys who]]>http://mcnultymedia.co.uk/blog/1979/08/selected-the-rejected/feed/0Tory councillor lashes BBChttp://mcnultymedia.co.uk/blog/1979/08/tory-councillor-lashes-bbc/
http://mcnultymedia.co.uk/blog/1979/08/tory-councillor-lashes-bbc/#respondTue, 21 Aug 1979 11:34:35 +0000http://mcnultymedia.co.uk/?p=1097Evening Chronicle
A TELEVISION documentary which painted an abysmal picture of Sunderland may discourage industrialists from moving to the town. It probably frightened off Argentinian soccer star Alex Sabella and it could spark a huge migration of youngsters. So says Tory councillor Joseph Landau, who condemned last week's BBC-2 Brass Tacks programme as one-sided and unbalanced. Despite initial revulsion, he says the episode has prompted him to look for new solutions to the town's serious youth unemployment. Now he's planning to set up a working]]>http://mcnultymedia.co.uk/blog/1979/08/tory-councillor-lashes-bbc/feed/0Are The Kids Alright? Brass Tacks, BBC2 (1979)http://mcnultymedia.co.uk/blog/1979/08/are-the-kids-alright-brass-tacks-bbc2/
http://mcnultymedia.co.uk/blog/1979/08/are-the-kids-alright-brass-tacks-bbc2/#commentsTue, 14 Aug 1979 19:05:13 +0000http://mcnultymedia.co.uk/?p=1036
BBC2
8.5-9.0
Brass Tacks
Are The Kids Alright
With unemployment running at twice the national average the age of leisure has come early for many of Sunderland's youngsters. Michael is 16, on the dole, and buying a £300 guitar on HP. His recently-formed punk band, The Rejected, is receiving encouragement from the local community theatre, which is also facing government cutbacks. What use is Sunderland's new £7-million leisure centre and pedestrian precincts to Michael's generation?]]>http://mcnultymedia.co.uk/blog/1979/08/are-the-kids-alright-brass-tacks-bbc2/feed/1Plight of the youngstershttp://mcnultymedia.co.uk/blog/1979/08/plight-of-the-youngsters/
http://mcnultymedia.co.uk/blog/1979/08/plight-of-the-youngsters/#respondMon, 13 Aug 1979 23:00:52 +0000http://mcnultymedia.co.uk/?p=1093Bradford Telegraph & Argus
In Sunderland the problems of youth unemployment are writ large. There are 40 percent fewer small businesses than the national average. The shipyards and coalmines are threatened with closure. Dole queues and boredom are the lot of many youngsters in the area. In Are the Kids All Right?BRASS TACKS (BBC-2, 8.5) talks to the young unemployed of Sunderland including Michael, a 16-year-old whose dreams of making it are]]>http://mcnultymedia.co.uk/blog/1979/08/plight-of-the-youngsters/feed/0We’re riveted by Brass Tackshttp://mcnultymedia.co.uk/blog/1979/08/were-riveted-by-brass-tacks/
http://mcnultymedia.co.uk/blog/1979/08/were-riveted-by-brass-tacks/#respondMon, 13 Aug 1979 23:00:32 +0000http://mcnultymedia.co.uk/?p=1091
Birmingham Evening Mail
by Stafford Hildred
"BRASS TACKS" (BBC 2, 8.5), the current affairs show that has pioneered viewer participation, would like to announce a modest success. The Monday evening chance for feedback from the show - "Return Call to Brass Tacks" - has been extended until the end of the series. And calls following the weekly Tuesday evening documentary to local radio stations across the country are building up to a regular avalanche. "This week we are focusing on some kids in Sunderland,"]]>http://mcnultymedia.co.uk/blog/1979/08/were-riveted-by-brass-tacks/feed/0NO JOB, JUST A £300 GUITARhttp://mcnultymedia.co.uk/blog/1979/08/no-job-just-a-300-guitar/
http://mcnultymedia.co.uk/blog/1979/08/no-job-just-a-300-guitar/#respondMon, 13 Aug 1979 23:00:14 +0000http://mcnultymedia.co.uk/?p=1089
The Liverpool Echo
TV GUIDE
TONIGHT'S CHOICE
A SIXTEEN-YEAR-OLD who's on the dole and whose dream of making something of his life centres on a £300 guitar is one of the most interesting characters in tonight's Brass Tacks film (BBC-2, 8.10). Although the film is about Sunderland, much of what it has to say about youth unemployment and bored youngsters could just as well apply to Liverpool. While many of the youngsters just drift from day to day and end up dispirited or in trouble, people like Michael Crawford with his new guitar and the new band he has founded]]>http://mcnultymedia.co.uk/blog/1979/08/no-job-just-a-300-guitar/feed/0Kids on the scrap heaphttp://mcnultymedia.co.uk/blog/1979/08/kids-on-the-scrap-heap/
http://mcnultymedia.co.uk/blog/1979/08/kids-on-the-scrap-heap/#respondSat, 11 Aug 1979 23:00:10 +0000http://mcnultymedia.co.uk/?p=1084The Sunday Sun
The youth of Sunderland is being thrown on the scrap heap. Unemployment has sapped their energy, they are shattered and just hanging about miserable. That is the picture gained by a BBC film crew which they will pass on to the nation via "Brass Tacks - Are the Kids All Right?" (BBC-2, Thursday, 8.05 pm). A New-Wave group called The Rejected is featured heavily and programme researcher Ian McNulty said the lads in it were the only positive youngsters they met among ]]>http://mcnultymedia.co.uk/blog/1979/08/kids-on-the-scrap-heap/feed/0Resistance resistedhttp://mcnultymedia.co.uk/blog/1979/06/resistance-resisted-new-scientist/
http://mcnultymedia.co.uk/blog/1979/06/resistance-resisted-new-scientist/#respondTue, 26 Jun 1979 23:00:37 +0000http://belmontpost.co.uk/dev/?p=9
New Scientist
Comment
This year marks a decade since a committee under Professor Sir Michael Swann advised the British government to curb the then wholesale, indiscriminate use of antibiotics in agriculture. The committee was established because of amply evidenced claims that the inclusion of potent antimicrobial drugs in feedstuffs for pigs, poultry and other livestock had encouraged the emergence of bacteria resistant to]]>http://mcnultymedia.co.uk/blog/1979/06/resistance-resisted-new-scientist/feed/0How the Union got down to Brass Tackshttp://mcnultymedia.co.uk/blog/1979/06/how-the-union-got-down-to-brass-tacks/
http://mcnultymedia.co.uk/blog/1979/06/how-the-union-got-down-to-brass-tacks/#respondThu, 31 May 1979 23:00:46 +0000http://belmontpost.co.uk/dev/?p=19NFU Insight
DAVID LEE, the NFU assistant press officer at Agriculture House, Knightsbridge, was giving the new issue of Radio Times a quick once-over on the afternoon of April 26. Looking across at Roger Turff, the press officer, he said: 'I'm about to spoil your day'. Radio Times and the Brass Tacks programme on BBC 2 was to spoil quite a number of days for both NFU members and staff]]>http://mcnultymedia.co.uk/blog/1979/06/how-the-union-got-down-to-brass-tacks/feed/0The BBC lets agriculture downhttp://mcnultymedia.co.uk/blog/1979/06/the-bbc-lets-agriculture-down-livestock-farming/
http://mcnultymedia.co.uk/blog/1979/06/the-bbc-lets-agriculture-down-livestock-farming/#respondThu, 31 May 1979 23:00:17 +0000http://belmontpost.co.uk/dev/?p=15Livestock Farming
THE British Broadcasting Corporation has flipped its lid. After weeks of scrupulous impartiality throughout the general election campaign - extending to even fiction programmes - it has seemingly sought to let off steam through the medium of a new programme called Brass Tacks. This programme - billed in the Radio Times as 'a new concept in broadcasting - is an insult to the public intelligence and professional journalism. If the hitherto much-respected BBC has any sensitivity left it will review the senior staff appointments on Brass Tacks]]>http://mcnultymedia.co.uk/blog/1979/06/the-bbc-lets-agriculture-down-livestock-farming/feed/0Survey points to drugs abuseshttp://mcnultymedia.co.uk/blog/1979/05/survey-points-to-drugs-abuses/
http://mcnultymedia.co.uk/blog/1979/05/survey-points-to-drugs-abuses/#respondWed, 30 May 1979 23:00:39 +0000http://belmontpost.co.uk/dev/?p=72Big Farm Weekly
AN INTERNAL Ministry of Agriculture survey has raised new fears about drug abuse on British farms. The survey turned its attention to the use of drugs almost as an afterthought. But preliminary results have now revealed what Ministry vets call 'worrying' levels of apparent drug abuse on ]]>http://mcnultymedia.co.uk/blog/1979/05/survey-points-to-drugs-abuses/feed/0Animal production and public health: TV programme looks at “risks”http://mcnultymedia.co.uk/blog/1979/05/animal-production-and-public-health-tv-programme-looks-at-risks/
http://mcnultymedia.co.uk/blog/1979/05/animal-production-and-public-health-tv-programme-looks-at-risks/#respondFri, 18 May 1979 23:00:41 +0000http://belmontpost.co.uk/dev/?p=78
The Veterinary Record
News
More than 20 veterinary surgeons took part in radio ‘phone-in programmes throughout the country after the screening of BBC’s controversial programme Brass Tacks on May 8. The programme looked at modern intensive methods of animal production and the potential risk to public health. The programme asked whether it was time to tighten the rules on use of antibiotics even more than the regulations made following the Swann Report 10 years ago which had shown]]>http://mcnultymedia.co.uk/blog/1979/05/animal-production-and-public-health-tv-programme-looks-at-risks/feed/0Down to Brass Tackshttp://mcnultymedia.co.uk/blog/1979/05/down-to-brass-tacks/
http://mcnultymedia.co.uk/blog/1979/05/down-to-brass-tacks/#respondFri, 18 May 1979 23:00:35 +0000http://belmontpost.co.uk/dev/?p=83
The Veterinary Record
Comment
There is always a danger in producing what is considered to be “good television”, particularly on a scientific subject, that some of the more mundane yet pertinent facts will be ignored. That was the case in the BBC2 programme Brass Tacks, broadcast on May 8. The programme looked at modern methods of intensive animal husbandry and the potential risk to the public health from antibiotics and other medicinal substances,. But as was inevitable given the type of presentation, a number of issues were raised that were not satisfactorily answered]]>http://mcnultymedia.co.uk/blog/1979/05/down-to-brass-tacks/feed/0Trial by television puts chicken on the salmonella rackhttp://mcnultymedia.co.uk/blog/1979/05/trial-by-television-puts-chicken-on-the-salmonella-rack/
http://mcnultymedia.co.uk/blog/1979/05/trial-by-television-puts-chicken-on-the-salmonella-rack/#respondWed, 16 May 1979 23:00:11 +0000http://belmontpost.co.uk/dev/?p=87Poultry World
VIEWERS must have been left confused after last week's BBC television programme on drugs in animal husbandry and organic versus intensive farming. The experts, aided by filmed shots of processing plants and abattoirs, told them that poultry was involved in 6,000 of the 11,000 cases of notified food poisoning in a year. Salmonella and the use of drugs was put over as a health risk in the film and pre-publicity that has brought industry protests of bias]]>http://mcnultymedia.co.uk/blog/1979/05/trial-by-television-puts-chicken-on-the-salmonella-rack/feed/0The BBC should be thoroughly ashamedhttp://mcnultymedia.co.uk/blog/1979/05/the-bbc-should-be-thoroughly-ashamed/
http://mcnultymedia.co.uk/blog/1979/05/the-bbc-should-be-thoroughly-ashamed/#respondTue, 15 May 1979 23:00:14 +0000http://belmontpost.co.uk/dev/?p=90
Financial Times
Chris Dunkley
Brass Tacks has returned with an interesting innovation in public access which combines national television and local radio, but offers as raw material only the same irresponsibly sensational nonsense which we grew to distrust in its previous series. The BBC should be thoroughly ashamed of the journalism on this programme and we shall have to keep a very close eye on it]]>http://mcnultymedia.co.uk/blog/1979/05/the-bbc-should-be-thoroughly-ashamed/feed/0Howl of rage over BBC programmehttp://mcnultymedia.co.uk/blog/1979/05/howl-of-rage-over-bbc-programme/
http://mcnultymedia.co.uk/blog/1979/05/howl-of-rage-over-bbc-programme/#respondMon, 14 May 1979 23:00:03 +0000http://belmontpost.co.uk/dev/?p=93London Evening Standard
A HOWL of rage has gone up among British farmers over BBC TV's Brass Tacks film on their industry. "I have just taken part in a nightmare," wails British Farm Produce Council chairman Charles Jarvis in a letter to the Daily Telegraph. Mr Jarvis says he and colleagues were "set up" by the BBC]]>http://mcnultymedia.co.uk/blog/1979/05/howl-of-rage-over-bbc-programme/feed/0Panel protest over farm drugs showhttp://mcnultymedia.co.uk/blog/1979/05/panel-protest-over-farm-drugs-show/
http://mcnultymedia.co.uk/blog/1979/05/panel-protest-over-farm-drugs-show/#respondSat, 12 May 1979 23:00:44 +0000http://belmontpost.co.uk/dev/?p=95Sunday Telegraph
A CONTROVERSIAL BBC television programme which said people may be harmed by drugs used on farm animals, has been attacked as a "nightmare" experience and "trial by television of the worst sort" by two farm industry panellists who took part in it. The programme, shown on May 8, was the first in a new BBC2, "Brass Tacks" series. It included a 30-minute film showing intensive farms and]]>http://mcnultymedia.co.uk/blog/1979/05/panel-protest-over-farm-drugs-show/feed/0NIGHTMARE IN A TV STUDIOhttp://mcnultymedia.co.uk/blog/1979/05/nightmare-in-a-tv-studio/
http://mcnultymedia.co.uk/blog/1979/05/nightmare-in-a-tv-studio/#respondFri, 11 May 1979 23:00:45 +0000http://belmontpost.co.uk/dev/?p=97
Daily Telegraph
LETTERS TO THE EDITOR
SIR - I have just taken part in a nightmare. Not one of the usual kind from which one wakes to the comforting reassurance of familiar objects, but under the glaring lights of a television studio as a so-called panellist in the first of the new BBC-2 series, "Brass Tacks".]]>http://mcnultymedia.co.uk/blog/1979/05/nightmare-in-a-tv-studio/feed/0Anger over TV showhttp://mcnultymedia.co.uk/blog/1979/05/anger-over-tv-show/
http://mcnultymedia.co.uk/blog/1979/05/anger-over-tv-show/#respondThu, 10 May 1979 23:00:50 +0000http://belmontpost.co.uk/dev/?p=100Farmer's Weekly
HUNDREDS of farmers sprang to the defence of the agricultural industry on radio phone-ins around the country after the BBC's controversial television report on pig and poultry farming, says the National Farmer's Union. The programme debated the use of drugs and intensive farming methods and the possible harmful effects they could have. Farmers were enraged by the cover of the Radio Times showing a pig with a health warning of the type used on cigarette packets]]>http://mcnultymedia.co.uk/blog/1979/05/anger-over-tv-show/feed/0Without doubt, Brass Tacks is one of the most exhilarating studies of human emotions on any of the three channelshttp://mcnultymedia.co.uk/blog/1979/05/without-doubt-brass-tacks-is-one-of-the-most-exhilarating-studies-of-human-emotions-on-any-of-the-three-channels/
http://mcnultymedia.co.uk/blog/1979/05/without-doubt-brass-tacks-is-one-of-the-most-exhilarating-studies-of-human-emotions-on-any-of-the-three-channels/#respondWed, 09 May 1979 23:00:55 +0000http://belmontpost.co.uk/dev/?p=103
Yorkshire Evening Post
Frank Metcalfe's VIEWPOINT
Without doubt, "Brass Tacks" (BBC-2) is one of the most exhilarating studies of human emotions on any of the three channels. Especially when it turns its visual and verbal spotlight on animals reared on the "battery" system. The return of this explosive series slammed straight into contrasts between humans and living meat products. How humans subjected to similar conditions in intensive farming husbandry would soon be the victims of disease epidemics. Experts stressed an odd combination whereby to maintain health stocks, the animals or poultry had to be treated with antibiotics. Which also makes them disease resistant]]>http://mcnultymedia.co.uk/blog/1979/05/without-doubt-brass-tacks-is-one-of-the-most-exhilarating-studies-of-human-emotions-on-any-of-the-three-channels/feed/0Intensive farming images upsettinghttp://mcnultymedia.co.uk/blog/1979/05/intensive-farming-images-upsetting/
http://mcnultymedia.co.uk/blog/1979/05/intensive-farming-images-upsetting/#respondWed, 09 May 1979 23:00:22 +0000http://belmontpost.co.uk/dev/?p=106
Daily Telegraph
by ROBIN STRINGER
THAT punchy, percussive introductory music is a give-away. Another trial by television is under way. This time it was in the form of Brass Tacks, BBC-2's new series designed to give the public a chance to have its says by providing subsequent phone-in programmes on local radio stations all over the country. The first subject for dissection on Tuesday night was British intensive-farming methods which provide relatively cheap food at some risk to our health. The image presented in the opening film, which amounted to the case for the prosecution, were horrendous]]>http://mcnultymedia.co.uk/blog/1979/05/intensive-farming-images-upsetting/feed/0NOTHING TO HIDEhttp://mcnultymedia.co.uk/blog/1979/05/nothing-to-hide/
http://mcnultymedia.co.uk/blog/1979/05/nothing-to-hide/#respondWed, 09 May 1979 23:00:07 +0000http://belmontpost.co.uk/dev/?p=110Manchester Evening News
LANCASHIRE branch of the NFU have sent a resolution to headquarters deploring the BBC's handling of its "Brass Tacks" programme on Tuesday evening which members alleged was deliberately contrived to stimulate all the emotive arguments over current farming methods. Said Mr Chris Halhead, during Wednesday's executive meeting: "I am sick of trying to produce food for people who are constantly trying to pull the rug out from under us]]>http://mcnultymedia.co.uk/blog/1979/05/nothing-to-hide/feed/0People have always talked to television; it is just that television has not always listened – The Guardianhttp://mcnultymedia.co.uk/blog/1979/05/people-have-always-talked-to-television-it-is-just-that-television-has-not-always-listened-the-guardian/
http://mcnultymedia.co.uk/blog/1979/05/people-have-always-talked-to-television-it-is-just-that-television-has-not-always-listened-the-guardian/#respondTue, 08 May 1979 23:00:46 +0000http://belmontpost.co.uk/dev/?p=108
The Guardian
TELEVISION
Nancy Banks-Smith
GILBERT HARDING was not only the first TV man, he was the first two-way TV man. A friend remembers him "watching and arguing with the television." He would carry on these one-way discussions with whomever it was he happened to be watching and get quite violent about it. I remember him having a set-to like that with Cliff Michelmore and then, when the programme was finished, he phoned up Michelmore and continued the argument in person. People have always talked to television; it is just that television has not always listened. It Shouldn't Happen to a Pig, the first Brass Tacks programme, was not so much an eye-opener as a stomach turner]]>http://mcnultymedia.co.uk/blog/1979/05/people-have-always-talked-to-television-it-is-just-that-television-has-not-always-listened-the-guardian/feed/0It Shouldn’t Happen To a Pig, Brass Tacks, BBC2 (1979)http://mcnultymedia.co.uk/blog/1979/05/it-shouldnt-happen-to-a-pig-brass-tacks-bbc2/
http://mcnultymedia.co.uk/blog/1979/05/it-shouldnt-happen-to-a-pig-brass-tacks-bbc2/#respondTue, 08 May 1979 19:10:53 +0000http://belmontpost.co.uk/dev/?p=37
BBC2
8.10-9.0 New Series
Brass Tacks
It Shouldn't Happen To a Pig
Diseases spread quickly in factory farms unless antibiotics are used to keep them at bay. And those diseases increasingly develop antibiotic resistance that can spill over into the human population. So is it time to call a halt? Is it time to chose between cheap meat and safe meat?]]>http://mcnultymedia.co.uk/blog/1979/05/it-shouldnt-happen-to-a-pig-brass-tacks-bbc2/feed/0Peril of pig in a pokehttp://mcnultymedia.co.uk/blog/1979/05/peril-of-pig-in-a-poke/
http://mcnultymedia.co.uk/blog/1979/05/peril-of-pig-in-a-poke/#respondTue, 08 May 1979 07:29:24 +0000http://belmontpost.co.uk/dev/?p=117Daily Mirror
AT last, democracy is coming to television. Tonight, you, the viewers, can pick up your phone or put pen to paper and have a chance to air your opinions. The revolutionary experiment is the brainchild of the Manchester-based "Brass Tacks" team. After tonight's programme in the new "Brass Tacks" series called "It Shouldn't Happen to a Pig" (BBC-2, 8.10 p.m.) viewers will be invited to give their views, either by phoning any local BBC radio station or by writing to the producers]]>http://mcnultymedia.co.uk/blog/1979/05/peril-of-pig-in-a-poke/feed/0DANGER ON THE DINNER TABLEhttp://mcnultymedia.co.uk/blog/1979/05/danger-on-the-dinner-table/
http://mcnultymedia.co.uk/blog/1979/05/danger-on-the-dinner-table/#respondTue, 08 May 1979 07:24:57 +0000http://belmontpost.co.uk/dev/?p=115Daily Star
IS THE meat you had for lunch poisoned? That is the question posed in the first programme of a new series of Brass Tacks. (BBC2. 8.10). The programme's ideas man, co-producer and presenter, Eric Robson, believes it is not as far fetched as it sounds. He says: "Almost all the meat you buy from the butcher now has Salmonella on it, which causes food poisoning and could be fatal. Modern techniques being used by farmers like broiler houses for chickens and intensive pig units seem to be spreading this poisonous bacteria. Meat that looks okay when it gets to the housewife, is almost always contaminated]]>http://mcnultymedia.co.uk/blog/1979/05/danger-on-the-dinner-table/feed/0Furious farmers ready for drugs phone-inhttp://mcnultymedia.co.uk/blog/1979/05/furious-farmers-ready-for-drugs-phone-in/
http://mcnultymedia.co.uk/blog/1979/05/furious-farmers-ready-for-drugs-phone-in/#respondMon, 07 May 1979 23:00:49 +0000http://belmontpost.co.uk/dev/?p=140The Guardian
Farmers and butchers are furious over the colour photography of a piglet, on the cover of the current Radio Times, with the caption "meat and poultry may seriously affect your health. The photograph advertises the BBC-2 programme Brass Tacks, tonight devoted to the increasing use of drugs in agriculture, particularly on factory farms, and the increasing incidence of salmonella food poisoning in Britain. The National Farmers' Union, which considered taking out an injunction against the Radio Times and promised to send "hot missiles" to the BBC's chairman and director-general]]>http://mcnultymedia.co.uk/blog/1979/05/furious-farmers-ready-for-drugs-phone-in/feed/0Angry reply by farmers to pig programmehttp://mcnultymedia.co.uk/blog/1979/05/angry-reply-by-farmers-to-pig-programme/
http://mcnultymedia.co.uk/blog/1979/05/angry-reply-by-farmers-to-pig-programme/#respondMon, 07 May 1979 23:00:41 +0000http://belmontpost.co.uk/dev/?p=145Leicester Mercury
LEICESTERSHIRE, Northamptonshire and Rutland farmers plan to take part in a nationwide phone-in which is being staged as a follow up to a BBC-2 television programme on Tuesday, It Shouldn't Happen to a Pig They are angry about what they see as an attack on modern intensive farming methods forced on them by the public's demand for cheap food. They are particularly angry about the front cover of the current Radio Times with its picture of a pig and caption, Health Warning: Meat and Poultry may seriously affect your health]]>http://mcnultymedia.co.uk/blog/1979/05/angry-reply-by-farmers-to-pig-programme/feed/0CHEAP FOOD, BUT AT WHAT COST?http://mcnultymedia.co.uk/blog/1979/05/cheap-food-but-at-what-cost/
http://mcnultymedia.co.uk/blog/1979/05/cheap-food-but-at-what-cost/#respondMon, 07 May 1979 23:00:24 +0000http://belmontpost.co.uk/dev/?p=143Liverpool Echo
FACTORY farming may mean cheap food but are we paying too high a price for this benefit in terms of health? That's the alarming question tackled by It Shouldn't Happen to a Pig (BBC-2, 8.10) which launches a new series of Brass Tacks debates. With poultry, pigs and beef being reared in increasingly crowded conditions that foster large-scale disease, the use of antibiotics is spreading. And with many modern diseases becoming resistant to treatment, the bacteria that cause salmonella, typhoid and meningitis are able to affect the human consumer]]>http://mcnultymedia.co.uk/blog/1979/05/cheap-food-but-at-what-cost/feed/0TV probe into farming drugs usehttp://mcnultymedia.co.uk/blog/1979/05/tv-probe-into-farming-drugs-use/
http://mcnultymedia.co.uk/blog/1979/05/tv-probe-into-farming-drugs-use/#respondSun, 06 May 1979 23:00:54 +0000http://belmontpost.co.uk/dev/?p=113Manchester Evening News
The extensive use of drugs on British farms could pose a serious threat to public health through a build up of salmonella infection, according to a TV programme this week. This and other findings linked to the alleged "indiscriminate" use of drugs in livestock farming were powerfully spelled out in a BBC documentary - a programme shrouded in controversy even before its transmission. The fist in BBC-2's new series "Brass Tacks," it set out to investigate the connections between a rapid build up over the last few years of salmonella virus in meat and the use of certain antibiotics]]>http://mcnultymedia.co.uk/blog/1979/05/tv-probe-into-farming-drugs-use/feed/0BEEF OVER BEEB’S PIGhttp://mcnultymedia.co.uk/blog/1979/05/beef-over-beebs-pig/
http://mcnultymedia.co.uk/blog/1979/05/beef-over-beebs-pig/#respondSun, 06 May 1979 23:00:36 +0000http://belmontpost.co.uk/dev/?p=149Daily Mirror
A picture of a pig has got Britain's farmers snorting with fury. It appears on the cover of the Radio Times' current issue with the caption: "Health warning: Meat and poultry may seriously affect your health." The cover highlights tomorrow evening's BBC-2 programme "Brass Tacks" which takes a critical look at meat production. And it was slammed as alarmist yesterday by the Meat and Livestock Commission. Chairman Wally Johnstone has sent a protest letter expressing "anger and concern" to the BBC Director General Ian Threthowan]]>http://mcnultymedia.co.uk/blog/1979/05/beef-over-beebs-pig/feed/0Fury at Radio Times pighttp://mcnultymedia.co.uk/blog/1979/05/fury-at-radio-times-pig/
http://mcnultymedia.co.uk/blog/1979/05/fury-at-radio-times-pig/#respondSun, 06 May 1979 23:00:25 +0000http://belmontpost.co.uk/dev/?p=147Daily Mail
A COMBINED TV and radio programme on the use of drugs on farm animals has upset farmers and butchers even before it goes out. They are furious over the front cover of this week's Radio Times which has a picture of a pig and the caption: 'Health warning: Meat and poultry may seriously affect your health.' Farmers and butchers have complained to the BBC's Director General, Mr Ian Trethowan and Radio Times Editor Mr Geoffrey Cannon]]>http://mcnultymedia.co.uk/blog/1979/05/fury-at-radio-times-pig/feed/0TV Preview: It Shouldn’t Happen to a Pighttp://mcnultymedia.co.uk/blog/1979/05/tv-preview-it-shouldnt-happen-to-a-pig/
http://mcnultymedia.co.uk/blog/1979/05/tv-preview-it-shouldnt-happen-to-a-pig/#respondFri, 04 May 1979 23:00:35 +0000http://belmontpost.co.uk/dev/?p=151
The Guardian
TV Preview
Brass Tacks (BBC-2, 8.10) returns with a full-blooded commitment to the multi-media technique it has pioneered: a report and debate thrashing through a topic of current controversy in the television programme, with BBC local radio stations lined up to start phone-in discussion the moment the television has ended. Factory farming, and the public risk of food poisoning arising from its crowded conditions and use of drugs - with salmonella the main enemy - is the first subject]]>http://mcnultymedia.co.uk/blog/1979/05/tv-preview-it-shouldnt-happen-to-a-pig/feed/0Drugs-in-farming programme starts BBC-TV rowhttp://mcnultymedia.co.uk/blog/1979/05/drugs-in-farming-programme-starts-bbc-tv-row/
http://mcnultymedia.co.uk/blog/1979/05/drugs-in-farming-programme-starts-bbc-tv-row/#respondFri, 04 May 1979 08:31:41 +0000http://belmontpost.co.uk/dev/?p=153Farmers Guardian
A major row flared this week between leaders of the livestock and meat industries and the BBC. The cause is a Radio Times front cover colour picture of a pig drawing attention to a BBC2 television programme on the use of growth promoting drugs in farming. The programme, to be screened next Tuesday, is the first in a new series of discussion programmes entitled "Brass Tacks". It will deal with the use and misuse of drugs in farming]]>http://mcnultymedia.co.uk/blog/1979/05/drugs-in-farming-programme-starts-bbc-tv-row/feed/0Angry farmers attack BBC programmehttp://mcnultymedia.co.uk/blog/1979/05/angry-farmers-attack-bbc-programme/
http://mcnultymedia.co.uk/blog/1979/05/angry-farmers-attack-bbc-programme/#respondWed, 02 May 1979 23:00:51 +0000http://belmontpost.co.uk/dev/?p=155Financial Times
Farmers and butchers are preparing to bombard the switchboards of BBC local and regional radio stations after next Tuesday's Brass Tacks programme on BBC2 about modern practices in livestock farming and meat production. If the protesters have their way the TV panel scheduled to discuss the programme will be heavily loaded with industry spokesmen. The National Farmers' Union,is preparing what a spokesman calls "hot missiles" to be sent speeding to the BBC's director-general, the chairman of the corporation's board of governors and Mr Geoffrey Cannon, editor of Radio Times.]]>http://mcnultymedia.co.uk/blog/1979/05/angry-farmers-attack-bbc-programme/feed/0Sunday roast drug threathttp://mcnultymedia.co.uk/blog/1979/05/sunday-roast-drug-threat/
http://mcnultymedia.co.uk/blog/1979/05/sunday-roast-drug-threat/#respondMon, 30 Apr 1979 23:00:03 +0000http://belmontpost.co.uk/dev/?p=157
Daily Mail
ENTERTAINMENT EXTRA
by Patrick O'Neill
A BLACK market operation providing drugs for factory farms could be a danger to health. This is just one of the claims to be made in a controversial TV documentary next week. It traces links between the use of antibiotics in farm animals and the increase in food poisoning among humans. The first is a new series of the BBC's Brass Tacks programme investigates the increase in factory farming in Britain and links it with major public health dangers in the future. The programme deals with controls over Britain's animal drug industry]]>http://mcnultymedia.co.uk/blog/1979/05/sunday-roast-drug-threat/feed/0Protest at drugs ‘scare’http://mcnultymedia.co.uk/blog/1979/04/protest-at-drugs-scare/
http://mcnultymedia.co.uk/blog/1979/04/protest-at-drugs-scare/#respondSat, 28 Apr 1979 23:00:22 +0000http://belmontpost.co.uk/dev/?p=159
Sunday Telegraph
By DAVID BROWN
Agricultural Correspondent
The National Farmers' Union is preparing to send a strongly-worded letter of protest to Mr Ian Threthowan, director general of the BBC, about a forthcoming television programme which will claim that people may be harmed by eating meat from cattle, pigs and poultry which have been treated by veterinary drugs. The union, which represents 140,000 farmers in England and Wales, together with the British Veterinary Association and the National Federation of Meat Traders, are angry that they were not consulted about the contents of the programme]]>http://mcnultymedia.co.uk/blog/1979/04/protest-at-drugs-scare/feed/0Picture of Chapeltown ‘unbiased’http://mcnultymedia.co.uk/blog/1979/03/picture-of-chapeltown-unbiased/
http://mcnultymedia.co.uk/blog/1979/03/picture-of-chapeltown-unbiased/#respondSat, 10 Mar 1979 12:00:33 +0000http://mcnultymedia.co.uk/?p=847
Paradise Lost, BBC2
Yorkshire Evening Post
A BBC programme portraying urban decay in Chapeltown, Leeds, received a mixed reaction in the area today. "City", a 35-minute documentary on BBC 2 last night gave an extreme impression of life in the suburb, said a senior community relations officer. However, he praised the prominence given to the pupils at Harehills Middle School rehearsing for their production of Paradise Lost. Insp. Tom Tate, Community affairs inspector for Chapeltown said: "Overall, it showed]]>http://mcnultymedia.co.uk/blog/1979/03/picture-of-chapeltown-unbiased/feed/0Paradise Lost, BBC2http://mcnultymedia.co.uk/blog/1979/03/paradise-lost-bbc2/
http://mcnultymedia.co.uk/blog/1979/03/paradise-lost-bbc2/#respondSat, 10 Mar 1979 12:00:16 +0000http://mcnultymedia.co.uk/?p=835
Stephanie Ferguson's Viewpoint
Yorkshire Evening Post
IT COULD have been down-town Harlem or even the Brazil Carnival, but it wasn't. The opening shots of urban decay and the smiling faces that live among it took us nearer home to Chapeltown, Leeds, in "City" (BBC-2), the first of six programmes on life in our towns. "Paradise Lost" was not the usual warts and all probe into the red light and twilight zones. Instead we saw the Tiger Bay of Leeds through the eyes of its youngest residents]]>http://mcnultymedia.co.uk/blog/1979/03/paradise-lost-bbc2/feed/0Schoolboy hope to bleak resignationhttp://mcnultymedia.co.uk/blog/1979/03/schoolboy-hope-to-bleak-resignation/
http://mcnultymedia.co.uk/blog/1979/03/schoolboy-hope-to-bleak-resignation/#respondSat, 10 Mar 1979 00:00:09 +0000http://mcnultymedia.co.uk/?p=826
Paradise Lost , BBC2
The Times
The once popular adult cliché about schooltime as the happiest days of your life was always sadly defeatist. That the old saying can sometimes contain an element of truth was poignantly illuminated last night with BBC-2's Paradise Lost . This vivid opener of "City," a six-part series from BBC Manchester which]]>http://mcnultymedia.co.uk/blog/1979/03/schoolboy-hope-to-bleak-resignation/feed/0Paradise Lost, City, BBC2 (1979)http://mcnultymedia.co.uk/blog/1979/03/paradise-lost-city-bbc2/
http://mcnultymedia.co.uk/blog/1979/03/paradise-lost-city-bbc2/#respondFri, 09 Mar 1979 20:00:23 +0000http://mcnultymedia.co.uk/?p=787
BBC2
8.0 New Series
City
Paradise Lost
Six films about inner cities seen through the eyes of those who live and work in them.
Chapeltown in Leeds. Back-to-back housing, high unemployment and low morale; a multi-racial, often violent, example of urban decay. A group of enthusiastic 12-year olds, encouraged and guided by dedicated teacher Nadine Senior, is preparing for the school's Christmas production, Milton's Paradise Lost.]]>http://mcnultymedia.co.uk/blog/1979/03/paradise-lost-city-bbc2/feed/0 | {
"pile_set_name": "Pile-CC"
} |
The Dulwich Picture Gallery in London has become one of the first galleries in the UK to offer a virtual reality tour of its collection.
The first virtual visitors were young patients at nearby King's College Hospital.
The small gallery attracts 160,000 visitors a year and has one of the finest collections of old masters in the UK, including paintings by Rembrandt, Gainsborough and Canaletto.
Now it has collaborated with Google to create a virtual tour using the Google Cardboard VR headset.
At King's College Hospital a group of six children tried out the app at the hospital's school room, where long-term young patients have classes.
They were able to look at pictures and wander through the gallery designed by Sir John Soane in the early 19th century.
The young visitors were mostly enthusiastic about the experience, though several said it could not match up to a real visit to the gallery, and one said it made him feel slightly dizzy.
Dulwich Picture gallery, which is run as a charity and receives no government funds, hopes to reach a new audience through its VR app, some of whom may end up travelling to see the museum first-hand. | {
"pile_set_name": "OpenWebText2"
} |
Oliveirinha
Oliveirinha is a civil parish in Aveiro Municipality, Aveiro District, Portugal. The population in 2011 was 4,817, in an area of 12.07 km².
References
Category:Parishes of Aveiro, Portugal | {
"pile_set_name": "Wikipedia (en)"
} |
Kurt Svanberg
Kurt Svanberg (27 September 1913 – 7 October 2001) was a Swedish ice hockey player. He competed in the men's tournament at the 1948 Winter Olympics.
References
Category:1913 births
Category:2001 deaths
Category:Swedish ice hockey players
Category:Olympic ice hockey players of Sweden
Category:Ice hockey players at the 1948 Winter Olympics
Category:Sportspeople from Stockholm | {
"pile_set_name": "Wikipedia (en)"
} |
Q:
Configure apache for system passwords?
I know I can use htpasswd to create a password file for apache, but how do I configure it to use valid users or groups from the system?
A:
You'll need to use an appropriate authentication module. Here's an example with mod_authnz_external: http://blog.innerewut.de/2007/6/26/apache-2-2-authentication-with-mod_authnz_external
| {
"pile_set_name": "StackExchange"
} |
Militant Palestinian groups in the Gaza Strip have agreed to halt rocket attacks against Israel, a senior Islamic Jihad leader said Thursday.
Open gallery view Masked Palestinian militants in Gaza prepare to fire rockets into Israel in 2008. Credit: AP
"We agreed to halt one of the means of armed resistance, which is firing rockets at Israel, to avoid the Israeli threats," Dawood Shihab, a spokesman for the group, said in a statement e-mailed to journalists.
"But the armed resistance will keep active in other means such as confronting raids and incursions," he said.
However, he said, the agreement to halt the rocket attacks was only "temporary" and was "linked to the situation on the ground."
The agreement, reached Wednesday, comes amid an escalation in rocket attacks on Israel and Israeli retaliatory strikes.
It also comes two years after an escalation in rocket attacks led Israel to launch a devastating offensive against the Gaza militias, which caused widescale destruction in the salient and led to the deaths of an estimated 1,400 people.
| {
"pile_set_name": "OpenWebText2"
} |
Kolkata: A senior leader of the BJP's West Bengal unit said on Saturday that those trying to stop the party's scheduled 'rath yatra' in the state "will get crushed under the wheels of the chariot", drawing criticism from the ruling TMC.
Locket Chatterjee, the saffron party's West Bengal Mahila Morcha president, also said that the 'yatra' is being organised to restore democracy in the state.
BJP national president Amit Shah is set to kick off three 'rath yatras' - which will cover all 42 Lok Sabha constituencies in Bengal - on December 5, 7 and 9. At the conclusion of the 'yatra', the party plans to hold a massive rally in Kolkata which is likely to be addressed by Prime Minister Narendra Modi.
"The main purpose of the rath yatra is to restore democracy in West Bengal. We have said this earlier too that the heads of those who try to stop the 'rath yatra' will get crushed under the wheels of the chariot," Chatterjee told reporters after attending a party meet at Malda district.
Condemning Chatterjee's comment, TMC secretary general Partha Chatterjee said BJP leaders are making provocative statements to disturb peace and stability of the state. "The BJP's main aim is to push its communal agenda in Bengal. That is why they are making these provocative comments. But the people of Bengal will defeat the divisive politics of the BJP," Chatterjee said. | {
"pile_set_name": "OpenWebText2"
} |
Providing cooling passageways structured to flow cooling fluids from and within components of gas turbine engines remains an area of interest. Some existing systems have various shortcomings relative to certain applications. Accordingly, there remains a need for further contributions in this area of technology. | {
"pile_set_name": "USPTO Backgrounds"
} |
Influence of some dopaminergic agents on antinociception produced by quinine in mice.
1. The analgesic effect of quinine and the influence of some dopaminergic agents on it were studied in mice. 2. Quinine (25-130mg/kg, ip) effectively elicited antinociceptive effect in a dose related manner. 3. D-Amphetamine (2.5-4mg/kg, ip), L-dopa (25mg/kg, sc), L-dopa (25mg/kg, sc) plus benserazide (12.5mg/kg, sc), alpha-methyl-p-tyrosine (50mg/kg, ip) plus L-dopa (25mg/kg, sc) and pargyline (50mg/kg, ip) significantly attenuated the antinociceptive effect of quinine (50mg/kg, ip), while DOPS (4mg/kg, ip) did not affect quinine antinociception. 4. Pimozide (4mg/kg, ip), L-sulpiride (40mg/kg, ip), SCH 23390 (0.2mg/kg, sc) and alpha-methyl-p-tyrosine (50mg/kg, ip) effectively potentiated the antinociceptive effects of quinine (50mg/kg, ip). 5. Pimozide (4mg/kg, ip) also antagonised the antagonistic effect of d-amphetamine (4mg/kg, ip) on the antinociceptive effect of quinine (50mg/kg, ip). 6. These data indicate that quinine elicited antinociception dose dependently. Furthermore, the influence of pimozide, L-sulpiride and SCH 23390 on quinine antinociception suggests the involvement of dopaminergic mechanisms. | {
"pile_set_name": "PubMed Abstracts"
} |
The present invention relates generally to fuel injectors for gasoline engines, and more particular to a unit injector for such engines.
A typical gasoline injector for an automotive engine is connected to a fuel rail which is pressurized to a relatively low pressure. Such pressure is typically in the vicinity of 268 kilo-pascals or 39 PSI. It has proved exceedingly difficult to generate a Properly atomized fuel spray pattern at the injector metering orifice due to this low pressure fuel. Further, since known fuel injectors are often attached directly to the engine, the heat of the engine will cause air bubbles to form within various fuel chambers of the fuel injector. Such air bubbles will cause a cycle to cycle variation in the performance of the fuel injector. The formation of these air bubbles is enhanced by this low pressure. It is an object of the present invention to provide a gasoline fuel injector which is communicated to a relatively low source of pressurized fuel and which includes means for increasing such fuel pressure to at least approximately 6895 KPA. It is a further object of the present invention to provide a fuel injector characterized by a finely atomized fuel spray. Another object of the present invention is to provide a fuel injector in which the rate of formation of air bubbles is significantly reduced or eliminated. Accordingly, the present invention comprises:
A unit injector adapted to receive fuel from a relatively low pressure source, comprising:
a housing, armature means responsive to an electromagnetic force for opening and closing a metering orifice to control the ejection of fuel therefrom and various fuel receiving chambers disposed about the armature means and upstream of the metering orifice.
The injector further includes a check valve disposed upstream of the fuel receiving chambers, responsive to a pressure differential thereacros to control the flow of fuel to such chambers and first accumulator means disposed in first of the fuel receiving chambers, compressable in response to the Pressure of the fuel therein for pressurizing the fuel in the various fuel receiving chambers and for controlling the rate at which fuel is ejected.
An outer bellows, received about a portion of the housing, fluidly sealed at one end, and adapted to expand and contract as fuel is received and purged therefrom, including a flexible, springlike wall effective to restore the outer bellows to its non-expanded size.
The injector further includes means defining a pressure chamber, means for communicating fuel to and from the bellows to the pressure chamber, means movable with the outer bellows to pressurize the fuel in the pressure chamber and for urging same across the check valve, to pressurize the fuel in the various fuel receiving chambers, compressing the first accumulator means (180), and means for generating the electromagnetic force to move the armature means away from the metering orifice.
In one embodiment of the invention the moveable means includes a cylindrical shaped piston while in another embodiment of the invention such means includes a cup-shaped piston having an insulative liner.
Many other objects and purposes of the invention will be clear from the following detailed description of the drawings. | {
"pile_set_name": "USPTO Backgrounds"
} |
Q:
Attach debugger (using eclipse) to play framework failed
I am using Scala to write a web on top of Play framework with eclipse IDE. I am trying to debug my app but hit debug attach failure. I tried to switch using Java instead of Scala,but I got same error. This is what I do.
Create a project and run play clean compile
run play debug run
in Eclipse, set 'debug configration' ->remote java application -> host: localhost, port:9999 and common: debug
in browser type in URL and enter: localhost:9999. Then get the following failure in play framework command line:
Debugger failed to attach: handshake failed - received >GET / HTTP/1.1< - expected >JDWP-Handshake<
Any idea what is wrong?
A:
localhost:9999 is what Eclipse is going to use to communicate with your application. On your browser, you still access your application on localhost:9000 (default) or however you would access your application had you just done play run.
Basically, you've configured your debugging correctly in Eclipse.
Now, with your configuration selected from the Debug Configuration, click Debug (or selected your configuration from the Debug As toolbar button). Eclipse will attach to localhost:9999.
Browse to localhost:9000 like you normally would to access your application.
That's it. Eclipse will pause on any breakpoints you have set, etc.
| {
"pile_set_name": "StackExchange"
} |
Great Scott and all that. In this episode, Tom explains to Morgan just why BTTF is his favourite movie series of all time. They discuss and dissect all three movies, the cartoon series, games and more.
We find out why you can’t just copy someone’s face, how the plot of the second movie is so complicated that Tom can’t speak, and just how many Ted Danson puns we can fit into a minute.
Right click and save here to download on Desktop, or stream in the player above.
Get in touch with us at podcast@twogeekstwobeers.com, or via Facebook, Twitter or Instagram. | {
"pile_set_name": "OpenWebText2"
} |
Privy Council of Tonga
The Privy Council of Tonga is the highest ranking council to advise the Monarch in the Kingdom of Tonga. It is empowered to advise the King in his capacity as Head of State and Fountain of Justice under the provisions of Clause 50 ( 1 ) of the Constitution of Tonga:
" Clause 50 (1) The King shall appoint a Privy Council to provide him with advice. The Privy Council shall be composed of such people whom the King shall see fit to call to his Council."
Membership
Members of the Privy Council are appointed by the King of Tonga who is its Chairman. The Council has three types of members:
Regular Members-these are the majority.
Members who hold their position by virtue of an office they occupy
The Law Lords
The Lord Chancellor, the Lord President of the Supreme Court and the Attorney General are automatically members of the Privy Council. The constitution doesn't set a limit on the number of members who sit on the Council and this is left to the discretion of the Monarch.
Judicial functions
The King in Privy Council has the authority to make appointments to most posts in the judicial branch of government. One of the primary goals of the constitutional reforms of 2010 was to ensure the separation of the executive, legislative and judicial branches of government. A significant result of these reforms and constitutional amendments was the removal of the King from the executive power. Executive power was transferred to the cabinet. The drafters of the 2010 constitutional amendments did not want the executive government to control or interfere in the exercise of Judicial power. They chose to vest the power to make these appointment in the office of the constitutional and non-partisan head of state. These include:
The Lord Chancellor
The Lord President of the Court of Appeal
The Judges of the Court of Appeal
The Lord Chief Justice of the Supreme Court
The Judges of the Supreme Court
The Lord President of the Land Court
The Judges of the Land Court
The Magistrates of local jurisdiction.
The Council also contains a Judicial Committee, composed of the Lord Chancellor, The Attorney General, the Lord Chief Justice and five Law Lords, and called the Judicial Appointments and Discipline Panel. The Judicial Committee advise[s] the King on the exercise of his judicial powers" and "investigate[s] complaints against judges".
The King in Privy Council is the final court of appeal for cases dealing with hereditary estates and titles.
Legislative functions
The Privy Council is empowered to issue orders in council to regulate the internal functions and operations of the council. Outside of these regulations the council has no legislative power in accordance with the democratic reforms of the constitution in 2010.
References
External links
"Privy Council", Tongan government website (page under construction)
Tonga Privy Council rulings as a court of appeal, Pacific Islands Legal Information Institute
A proposed reform of the Privy Council by the Tongan Human Rights and Democracy Movement
Category:Government of Tonga
Category:Tongan law
Tonga
Tonga | {
"pile_set_name": "Wikipedia (en)"
} |
A histochemical study of alkaline and acid phosphatase activity in osteoarthritic synovial membrane.
In order to determine the localization and activity of alkaline and acid phosphatase in the synovial membrane of osteoarthritic hip joints, enzymo-histochemical analyses were performed using Burstone's and Barka & Anderson's methods. Frozen sections of synovial biopsy material from 12 osteoarthritic and 6 control hip joints were studied. Alkaline phosphatase was found located in fibroblasts below the lining cells and in capillaries and precapillary arterioles. Acid phosphatase was seen in the lysosomes in the lining cells. Semiquantitative evaluation by means of initial time determination showed significantly greater activity in osteoarthritic synovia than in the control group. Whilst the increased activity of lysosomal enzymes is presumably implicated in the joint cartilage damage seen in osteoarthritis, the significance of elevated alkaline phosphatase levels is not yet clear. | {
"pile_set_name": "PubMed Abstracts"
} |
Introduction {#Sec1}
============
In manufacturing industries, industry 4.0 and digital transformation are interrelated fields that both motivate the development of digital twins. *Industry 4.0* is a concept attracting much research and development over the last decade, including reference models \[[@CR1]\], applications \[[@CR2]\], standards \[[@CR3]\] and supporting methods \[[@CR4]\]. A core idea of Industry 4.0 is to connect physical devices (e.g., manufacturing systems and the objects they produce), digital components (e.g. ERP or MES systems) and human actors along production processes for the sake of seamless integration and continuous monitoring and control \[[@CR5]\]. *Digital twins* (DT) support this core idea and can be defined as "a dynamic virtual representation of a physical object or system across its lifecycle, using real-time data to enable understanding, learning and reasoning" \[[@CR6]\]. *Digital transformation*, in general, denotes adopting digital technologies, such as industry 4.0 related technologies or DTs, in the digitalization of an organization's business model and its operations (cf. Sect. [2.3](#Sec5){ref-type="sec"}). Several researchers emphasize the importance of industry 4.0 for digital transformation \[[@CR21]\] or, vice versa, that digital transformation motivates the implementation of industry 4.0 \[[@CR20]\]. However, DTs as an element of digital transformation or digital transformation as driver for DT development are not included in the aforementioned work. A literature analysis (see Sect. [5](#Sec11){ref-type="sec"}) confirmed that digital twin research predominantly focuses on technological questions of DT design and operations. So far, organizational and business model related aspects of DTs are only sparsely covered in research which motivated this paper. In response to this, the paper's objective is *to investigate how DT solutions are integrated into organizational structures and business models of manufacturing enterprises, and what motivates the development of DT from a digital transformation perspective.*
Enterprise Modeling (EM) is a versatile approach and is able to tackle various organizational design problems by means of multi-perspective conceptual modeling. EM captures organizational knowledge about the motivation and business requirements for designing IS \[[@CR7]\]. Hence it has the potential of capturing and representing the organizational motivation for DT design. A key aspect of operating and managing DTs is to configure and adjust them according to the situational changes in operations. Capability Management, and in particular Capability Driven Development (CDD), has been proven applicable for managing information systems (IS) in changing context \[[@CR10]\]. E.g., CDD supports generation of monitoring dashboards from models that include context elements, measurable properties, KPIs as well as rule-based based adjustments based on context data. In concrete terms, the goal of this paper is *to analyze the suitability of EM and capability management for the purpose of supporting the development and management of DTs from an organizational perspective.* We have chosen the 4EM and CDD methods for the purpose of this study because they have already established integration mechanisms between themselves and with other modeling languages.
The rest of the paper is structured as follows. Section [2](#Sec2){ref-type="sec"} gives background to EM, CDD, and digital transformation. Section [3](#Sec6){ref-type="sec"} describes our research approach. Section [4](#Sec7){ref-type="sec"} presents two case studies. Section [5](#Sec11){ref-type="sec"} summarizes the main requirements for developing Industry 4.0 solutions found in literature. Section [6](#Sec12){ref-type="sec"} discusses the requirements from Sects. [4](#Sec7){ref-type="sec"} and [5](#Sec11){ref-type="sec"} with respect to CDD. Section [7](#Sec15){ref-type="sec"} discusses an example of a capability model for the purpose of DT development. Section [8](#Sec16){ref-type="sec"} provides concluding remarks.
Background {#Sec2}
==========
Enterprise Modeling and 4EM {#Sec3}
---------------------------
EM is the process of creating an enterprise model that captures all the enterprise's aspects or perspectives that are required for a given modeling purpose. An enterprise model consists of a set of interlinked sub-models, each of them focusing on a specific perspective, like, processes, goals, concepts, actors, rules, IS components.
4EM \[[@CR7]\] is a representative of the Scandinavian strand of EM methods. At its core is participatory stakeholder involvement and the modeling process is usually organized in the form of facilitated workshops. 4EM shares many underlying principles of the, so called, multi-perspective, approaches that recommend analyzing organizational problems from various perspectives, e.g. AKM \[[@CR12]\] and MEMO \[[@CR11]\]. 4EM consists of six interconnected sub-model types for modeling a specific aspect or perspective of the enterprise -- Goals Model, Business Rules Model, Concepts Model, Business Process Model, Actors and Resources Model, as well as Technical Components and Requirements Model. 4EM also supports integration with other modeling languages and methods by allowing to define new inter-model relationships between the 4EM components and components of the modeling language to be integrated.
Capability Driven Development {#Sec4}
-----------------------------
In \[[@CR10]\] the concept of *capability thinking* and a method to capability management are introduced. It is an organizational mindset that puts capabilities in focus of the business model and IS development. Capability thinking emphasizes that capabilities are not self-emergent, instead they should be planned, implemented, controlled, and adjusted. In doing so they need to be addressed from the perspectives of (1) vision (e.g. goals and KPIs), (2) enterprise designs such as processes and IS architectures, (3) situation context incl. measurable properties, as well (4) best practices such as process variants and patterns for dealing with context changes. Capability as a concept allows reasoning about these four aspects of the business in an integrated way because enterprises need to know how to realize the business vision and designs as well as what needs to be changed depending on real-life situations. The definition of *capability is the ability and capacity that enables an enterprise to achieve a business goal in a certain context* \[[@CR10]\]. Successful implementation of capability thinking will lead to *capability management* as a systematic way to plan, design, develop, deploy, operate, and adjust capabilities.
CDD is a method supporting the four perspectives of capability thinking. CDD consists of a number of method components each focusing on a specific task of the capability cycle, such as Capability Design, Context Modeling, Patterns and Variability Modeling, Capability Adjustment Algorithm Specification, as well as method extensions for dealing with certain business challenges such as supporting business process outsourcing and managing service configuration with the support of open data \[[@CR17]\].
Digital Transformation {#Sec5}
----------------------
In scientific literature, digital transformation often is discussed in the general context of digitalization and considered the most complex digitalization phase \[[@CR13]\]. Its focus is on the disruptive social and economic consequences which, due to the potential of digital technologies to substantially change markets, lead to new technological application potentials and the resulting changes in economic structures, qualification requirements for employees and working life in general. \[[@CR14]\] proposes to distinguish between transformation of the value proposition and the value creation when analysing and planning digital transformation. These two "dimensions" can be divided into different steps of digitalization which form the prerequisite for the next step. In \[[@CR15]\] we have proposed the steps for the dimensions of operations and product digitization.
In the operations dimension, the steps are (1) replacing paper documents with digital representations, (2) end-to-end automated processing of this digital representation within a process and (3) integration of relevant processes within the enterprise and with partners. On the product dimension, the departure point for digitization are physical products without built-in information or communication technology. Digitization steps are (1) to enhance the product/service by providing complementary services (maintenance information, service catalogs) without actually changing it, (2) to extend functionality and value proposition of products by integration of sensors and actuators, and (3) redefinition of the product or service which leads to a completely new value proposition. A completed digital transformation requires all three steps in both dimensions.
Research Approach {#Sec6}
=================
This study is part of a research program aiming to provide methodological and tool support for organizations in dynamic contexts, e.g., supporting the process of digital transformation and capability management. It follows the five stages of Design Science research \[[@CR16]\], namely, problem explication, requirements definition, design and development of the design artifact, demonstration, as well as evaluation. This study concerns the first two steps for the design artifact supporting DT design and management from an organizational perspective. This part of our research started from the following research question which is based on the motivation presented in Sect. [1](#Sec1){ref-type="sec"}: *RQ: In the context of digital transformation, how are digital twin initiatives emerging and what are the driving forces for starting implementation projects?*
The research method used for working on this research question is a combination of literature study and descriptive case study. Based on the research question, we identified industrial cases of digital transformation suitable for studying the origin of DT developments, i.e. we performed qualitative case studies in order to obtain relevant and original data (see Sect. [4](#Sec7){ref-type="sec"}). Qualitative case study is an approach to research that facilitates exploration of a phenomenon within its context using a variety of data sources. This ensures that the subject under consideration is explored from a variety of perspectives which allows for multiple facets of the phenomenon to be revealed and understood. Within the case studies, we used three different perspectives, which at the same time represent sources of data: we analyzed documents about business models, products, manufacturing process of the companies; we performed workshops targeting digital transformation and DTs as part thereof; and we interviewed domain experts. Yin \[[@CR18]\] differentiates case studies explanatory, exploratory and descriptive. The case studies in Sect. [4](#Sec7){ref-type="sec"} are considered descriptive, as they describe the phenomenon of initiating DT development and the real-life context in which it occurs.
Based on the results of the case studies, primarily case study requirements to DT development, we selected research areas with relevant work for these requirements and analyzed the literature in these areas. The purpose of the analysis was to find existing approaches and methods for modeling DT and how they are integrated into the business. This work limits the focus on DTs in manufacturing, although they can also be used in other application fields. To summarize,The case studies explore whether business models and organizational context are really relevant from industrial perspective. We focus on the early phases of DT realization, i.e. decision making and specification,A literature study explores whether existing research work covers modeling approaches for business models and organizational context of DT.
Industrial Case Studies {#Sec7}
=======================
Case Study A: Producer of Pumps {#Sec8}
-------------------------------
Company A is a medium-sized manufacturer of different kinds of pumps and pumping technologies, e.g. swimming pool pumps, sewage pumps, industrial pumps for heavy environments or ship pumps. Company A is well-established on the international market with a market share of more than 50% in some segments. Although its business is stable and developing well, the management decided to explore new service opportunities and business models applying digital technologies. More concretely, the idea of the company's product management is to integrate sensors into pumps and transmit the information to the back-office by using a datalink. This idea can be classified as converting the pumps into smart connected products or Internet-of-Things (IoT) devices.
The opportunity for data collection at company A emerged when the it agreed to start a study on digital transformation options. The study so far had two workshops at the company's headquarter and several interviews. The first workshop was directed to the management with a focus on clarifying general steps of digital transformation, possible procedures and aspects of the enterprise to be considered. The second workshop was directed towards identifying concrete digital transformation options and potential ways of implementation. For our research question, the second workshop and the preparatory interviews were the most relevant and will be in focus of the analysis.
One purpose of the preparatory interviews for the second workshop was to understand the current situation of IoT and sensor integration into the company's products. The key expert here was the research and development manager. Before the interview, guidelines consisting of a list of questions and aspects to explore were prepared. The interview took 30 min and was conducted by one researcher; notes were taken. As a preparation of the digital transformation workshop, the participants were selected to include all relevant departments of company A (product development, production, marketing, sales & distribution, and services) and members of top and middle management. All eight participants were informed in beforehand about the purpose of the workshop and importance of their participation. The workshop included the collection and clustering of new product and services ideas from the participants, joint definition of priorities, and development of a business model prototype for the top three product/service ideas. The workshop was documented in photo documentation of collected ideas and clusters, written documentation of the business model prototypes. Notes were taken to capture additional information regarding ideas and the business model.
The product manager stated as one of the motivations for the workshop: "Our datalink device is nearly ready. It captures data and puts them into our own cloud. So far, we only capture data about malfunction or energy consumption that is anyhow visible on the pump's display. But we do not have a good idea, how to do business with this data. And we probably need more sensors."
Among the top innovation ideas were (a) smart pumps and (b) pumping as a service, which the workshop participants both related to the topic of digital twins. When discussing the smart pump, the sales representative explained: "We think that our bigger customers want to have control if our pumps do what they are supposed to do in their installations. Some of them call it the digital twin. This would help us to sell pumps to them. We have to use or develop sensors that deliver this kind of information."
Pumping as a service aims at selling the functionality of the pump instead of the pump as physical device which would lead to a service agreement where the company is paid for pumped cubic meters or hours of pumping. One of the participants remarked to this idea: "For this, we need full control what is happening with the pump. So, we need something a bit like a digital twin, but for our internal purposes."
When developing the business model prototype for pumping as a service, most of the discussion time was spent on organizational issues within the company: "where does all the information from our pumps arrive, how do we make sense out of it and how do we organize the reaction?" For the smart pumps, the discussion was more about "how do we integrate our pumps in the DT system of our customer and what kind of sensors do we need?" Furthermore, the development department mentioned "We would need to know what technical basis our customers use for their DTs and what interfaces we have to provide. But most of our customers have no real answers to these questions. Sometimes we get the impression that they simply don't know."
Case Study B: Tool Produces for Automotive Industry {#Sec9}
---------------------------------------------------
Company B is a subsidiary of a major automotive manufacturer responsible for producing tools for the metal parts of chassis production, such as roofs, doors, side panels, etc. These tools, called (press) forms, are developed individually for each car model variant in an iterative process of casting, milling and/or welding, and polishing. Active components, such as cutters, hydraulic springs or punchers are integrated into the actual form. Putting the forms into operation in a press shop requires a try-out phase to fine-tune the forms' precision. Company B is doing the largest share of its business with the automotive manufacturer. It also serves other automotive and truck suppliers. Due to its unique specialization on forms for a specific metal, company B is well-positioned in the market. However, its management aims to increase efficiency and flexibility in the business model to be prepared for possible future market changes.
This case study emerged when company B decided to investigate radical digital innovation focusing on disruptive ways of working or technologies instead of gradual optimization or increase in efficiency. A workshop was planned to investigate the potential for radical innovation concerning the possibilities for drastic and seemingly unrealistic changes, like, reduction of production time for forms to 10% of the current value, no setup time of the production system or internal logistics requiring no staff.
Preparation and execution of the workshop was similar to what was described for the first case study: the selected participants represented all relevant departments of the company (design, production, logistics, procurement, human resources, economics, service and customer care), mostly represented by the head of the unit or senior experts. All ten participants were informed beforehand about purpose of the workshop, the need to think "out-of-the-box" and the importance of their participation. The workshop included the collection and clustering of radical transformation of products and of operations, joint clustering and definition of priorities. Based on the priorities, an initial evaluation of the top three options for radical transformation of products and the top three transformations in operations was done. The content of the workshop was documented in photo documentation of collected ideas and clusters, written documentation of the evaluation results, and notes. The workshop was conducted by two researchers: one facilitator and one note taker. In this paper analyzes the documented content.
For radical transformation of internal operations, one of the clusters identified was named "digital twin of the own factory". The primary intention was to always have a real-time status of all resource in the own production system including facilities, parts and staff. For the radical transformation of the products, one of the clusters was the DT of each individual form on the customers' site. It is expected that a fully digitalized and automated press shop would need full control and real-time monitoring of the complete production flow and all components of the press shop. In this regard, the workshop participants discussed how to set up the cooperation with press manufacturers and logistics companies to discuss standards for the DT.
Case Study Analysis {#Sec10}
-------------------
The case study requirements (CSR) are derived from analysis of the two case studies and are presented in the following with a short motivation from the cases.
*CSR1: DTs have to support the goals and business models of the company.*
Both companies did not have any ongoing DT activity before the start of the digital transformation initiative. Once the workshops explicated ideas for service and business models that demand DT-like functionality, DTs were seriously considered and finally selected for implementation. In both cases, the primary goal is not to implement DT per se but to provide services or create a platform which can be facilitated by DTs.
*CSR2: DTs are part of operations in an enterprise* -- *either to support manufacturing execution in the own or the client's production, or to facilitate value*-*added services on the customer side, like, e.g. predictive/preventive maintenance.*
The concept of DT and envisioned functionality appeared in the use cases in different shapes: a) the DTs of the company's products installed at the clients' sites for the purpose of offering services depending on (real-time) data supply and monitoring (e.g., pumping-as-a-service requires monitoring of the pumps installed at the clients' industrial facility), b) the DT for the control of a facility possibly integrating various components (e.g. the DT of the manufacturing facility of company B or the DT of a ship which has a pump of company A installed), and c) the combination of a) and b), i.e. the company's product monitored in a client's facility. E.g., the form of company B with remote monitoring for purposes of preventive maintenance and local monitoring for optimizing production in the press shop. Options a) and b) require different information to be aggregated, displayed, and monitored.
*CSR3: What aspect of reality has to be represented in a DT depends on the organizational integration and the intended business model of the company.*
CSR1 sates that DTs must be supporting a company's business model. When implementing business models, this means that the digital twin has to provide the information about status or operations of the product required for the value creation underlying the business model. E.g. in case A, pumping-as-a-service requires to capture the performance of a pump to be able to invoice the provided hours or pumped volume, the energy consumption of the pump, and the status of lubricants to avoid problems in the service.
*CSR4: Identification of features and parameters that have to be visible in the DT can be supported by developing business model prototypes and investigating organizational integration.*
In both case studies, the options for new DT-based services were subject to an initial feasibility study. This study started from the definition of what service has to be provided for the customer, what information and functionality are required for the services (i.e., specification of features and parameters) and how this information is processed and used in the enterprise to deliver the service (i.e. the organizational processes).
*CSR5: Component developers request a better methodical and technical integration of DTs (platform) development and component development.*
In particular in case B, the case study company made clear that the development of a smart form would require collaboration with the manufacturer of the press for implementing the vision of a smart press shop. In case A, a similar request emerged when discussing the integration of pumps in complex systems, like, e.g. a cruising ship. Both cases showed the need for technical agreements (interfaces and platforms) and methodical agreements with the digital twin provider.
*CSR6: Business models and organizational processes are subject to continuous improvement and so are DT features and parameters.*
During development of business model prototypes, in both cases a kind of roadmap for stepwise implementing and extending services and business model was discussed, and the actual prototype intended to cover only the first stage. An expectation was expressed that the first stage would have to be extended based on the feedback of the customer and lessons learned from operations. With respect to modeling support, our recommendation is to explicitly model organizational context and business models as preparation of the DT design.
Requirements for Digital Twin Design from Literature {#Sec11}
====================================================
DTs are usually designed and operated in the context of industry 4.0. In the field of production systems, there is a substantial amount of work on DTs. In the context of this paper, the intersection of digital transformation and DT as industry 4.0 solution is most relevant. Mittal et al. \[[@CR20]\] investigated what manufacturing small and medium-sized enterprises (SME) need to successfully adopt industry 4.0. As a result, 16 specific requirements for SME were identified including smart manufacturing solutions for specialized products, which includes DTs. Schumacher et al. \[[@CR21]\] proposed a maturity model for assessing Industry 4.0 readiness and identify nine dimensions of maturity and 62 maturity items in their Industry 4.0 Maturity Model. The maturity items include technology and product related aspects, like digitalization of products, product integration into other systems, and DTs. Considering the objective of this research our primary focus is on supporting the fit of the DT to the organization's needs in the industry 4.0 program, which, as discussed previously, can be supported by modeling. There have been several investigations of the needs for modeling support for industry 4.0. Hermann et al. \[[@CR9]\] present four main principles of industry 4.0, namely:*Interconnection* supporting various aspects of communication between actors, such as human to human, human to machine, and machine to machine.*Information transparency* requires supporting the identification and linking of various data types and sources, e.g. sensor data, process execution data, and factory designs, which in essence leads to DTs. A part of this task is the creation and monitoring the surrounding environment and situational properties related to the factory, i.e. the application context needs to be modelled and monitored. Some of the context information might also be needed in advance which requires using the means of predictive data analytics. All data needs to be presented to participants in the industry 4.0 design, depending on the criticality and relevance.*Decentralized decisions*. The design should be able to combine local as well as global information to support decentralized and autonomous decision making.*Technical assistance*. The decentralized decision making needs to be supported by assistance IS that are able to aggregate and visualize content in various formats suitable for different application contexts.
Wortmann et al. \[[@CR8]\] report on a systematic literature review and in terms of the expected benefits for modeling for industry 4.0 puts forward the following: reducing time (development time, time-to-market), reducing costs (of development, integration, configuration), improving sustainability, and improving international competitiveness. This is in line of what are the general intentions of allying development methods and tools. In the context of industry 4.0 modeling addresses cyber aspects, physical aspects, or cyber-physical aspects of which the latter is the least researched and for which the least number of contributions have been elaborated. Wortmann et al. indicate that the current trends include methods for modeling digital representation, failure handling, human factors, information management, integration, process, product, configuration validation and verification, as well as visualization. The areas of product modeling, validation and verification, and information management attracting the most attention right now. Human factors and visualization are addressed by considerably fewer contributions. However, this study focused mostly on methods that have proven useful for IS design and development, and these methods do not support a holistic view on design that integrates organizational and human aspects with the more common IS aspects.
The analysis of the current state of modeling for the purpose of designing industry 4.0 solutions, including DTs, calls for a number of areas of advancements, as follows.
Concerning *modeling and model management*:Support for integrated multi-perspective views on all aspects of, such as, business and organizational, IS architecture, implementation, and operation at runtime.Integration of different artifact kinds such as models, 3D drawings. In this regard, Wortmann et al. call for the integration of models in the engineering, deployment process, and operation processes. To achieve alignment, the integration should start with the business design and requirements for the engineering process.Supporting design models with runtime data and, consequently, extracting models that can be used in later design iterations from runtime data. Using runtime data for the purpose of assessing the performance of designs, especially reusable designs that are applied in several operational installations.
Concerning *adaptation and adjustment:*Support for adaptation and adjustment of the solution according to changing business goals and requirements as well as application context.The solution should have built-in means for runtime adaptations that do not require re-design and re-deployment.
Concerning *continuous lifecycle management:*Supporting visualizations of runtime data in design models, e.g. by specifying what data should be presented and in what format. Management dashboards and presentation views can be generated from models.Support of the management of the complete lifecycle including design and runtime.
With respect to the latter, \[[@CR8]\] discuss the possibility of adopting the DevOps principles for developing industry 4.0 solutions. The proposed vision for such a lifecycle is similar to the CDD process \[[@CR10]\], discussed in Sect. [6](#Sec12){ref-type="sec"}.
Analysis {#Sec12}
========
Discussing the Requirements from Literature and Case Studies {#Sec13}
------------------------------------------------------------
First, we will discuss the requirements from Sect. [5](#Sec11){ref-type="sec"} and how the three main topics of (1) modeling and model management, (2) adaptation and adjustment; and (3) continuous lifecycle management, can be addressed by EM and CDD. This will be followed by a discussion of the case study requirements.
*Modeling and model management.* It calls for multi-perspective views to integrate various aspects and artefacts of the organizational design and align them with the DT design. Multi-perspective EM methods, such as 4EM, are suitable for supporting this. The organizational aspects need to be linked with capabilities and DT designs. A part of this task would be modeling the context information that affects the operation of the DT. Since DTs are operated continuously the runtime data allows the assessment and improvement of the design models. E.g. the Context Modeling component supports the design by officering a set of measurable context elements that are already available in the context platform. CDD includes a component for Reuse of Capability Designs supported by a pattern repository that captures pattern performance data over time \[[@CR19]\]. This information is valuable for new as well as for improving the existing designs.
*Adaptation and adjustment.* DTs need to be operated continuously, in various situations, and according to various business models. It can also be expected that these change under the lifetime of a DT. In this respect EM can be used for capturing the business dimensions of change, and CDD components for Capability Design and Context Modeling are to be used for capturing changes in the application context. Components for Reuse of Capability Designs and for Runtime Adjustments can be used to specify automatic adjustments or reconfigurations of the solutions including the DTs.
*Continuous lifecycle management pertain* to two key aspects. First, visualization of operational and contextual data at runtime and then using this data and information to create new business models and DT designs as well as to change the existing ones. Part of the CDD method is generation of capability monitoring applications from capability design models and context models. Similarly, a monitoring dashboard for DTs can be generated from capability models, because it allows specifying KPIs and context elements together with their calculation from measurable properties that can be assembled from various data sources -- internal application data as well as external environment data. Concerning the second aspect, the lifecycle support, CDD is focusing on capability design and context-based adjustment of IS. To include DT designs in capability designs would need having a more explicit integration with EM as well as dedicated tasks for designing the functionality of DTs. This would imply that the DT is designed together with the capability as a solution to a business goal. Such an approach would contribute to ensuring that the DT fits the business design. The CDD method is also supported by a tool environment which would be needed to monitor context and runtime data, calculate KPI values, and, if necessary, to trigger adjustment algorithms.Table 1.Requirements from case studies supported by the CDD method componentsCDD method componentsCSRs*Enterprise ModelingCapability DesignContext ModelingReuse of Capability DesignsRuntime Del. AdjustmentsCSR1*Captures the business motivationDT design linked to the requiring parts of the enterprise modelCaptures reusable solutions, e.g. DT capabilities*CSR2*Captures the business motivationLinks design to the business motivationContext monitoring with model driven dashboardsSpecify operational adjustments of DTs*CSR3*Captures the business modelLinks the capability driven DT to the business modelModel the context data for monitoringSupports management of reusable components*CSR4*Captures the business motivationCapability driven DT and allows model drivenContext monitoring with model driven dashboards*CSR5*Management of reusable artifacts, incl. their performance*CSR6*Captures the business motivationCapability-based development of DT functionalityModeling of the DT usage context, generation of dashboardsContext driven adjustment at runtime
The requirements elicited in the case studies are to a large extend addressing similar issues to the requirements from literature. Table [1](#Tab1){ref-type="table"} summarizes the CDD support.
The requirements from literature and the case studies point to the need for the extension of the DT design with the aspects of business motivation and lifecycle management. The following modeling artifacts and practices contribute to this purpose:Enterprise models to capture the business models. Later they can be linked with the DT design models repressing the technical details of the DT.Capability design models to represent the more detailed designs of the DT.Context models to show the dependence on local and global data in the environment as well as to adjustments of the DTs and their monitoring dashboards.The capability design models and the enterprise models need to be linked to establish the business motivation and fit of the DT.Capability designs and context models should be used for generating dashboards for DT management. Key data types that have the potential of being useful here are context data, KPI, historical data about performance of reusable components.The models used need to be reasonably open and extendable in order to be able to incorporate additional perspectives of modeling.
Supporting the Continuous Way of Working {#Sec14}
----------------------------------------
Concerning requirements CSR5 and CSR6, they can be supported by the CDD's method components as discussed in the previous section, but they also call for the establishment of a new way of working. It needs to support the core tasks of development and management of efficient DTs, such as, capturing the business motivation, design of the DT, and delivery and operation of the DT. The CDD process, which shares similarities with the DevOps principle of continuous development and operation, has the potential of being adapted for this purpose. Wortmann et al. \[[@CR8]\] also call for this kind of approach to DT development and operation. The case study requirements suggest that to make the DTs more fitting to the business model, explicit focus should be on the issues such as business goals, processes, and integration with the IS architecture. These are issues suitable for EM. Figure [1](#Fig1){ref-type="fig"} proposes a DT development and management lifecycle that incorporates three sub-cycles -- EM, DT Design, and Delivery and Operation. The internal steps and tasks in the sub-cycles follow the established procedures in \[[@CR7]\] for EM and in \[[@CR10]\] for Design and Operation. The following artifacts support the transition between the sub-cycles (grey arrows in Fig. [1](#Fig1){ref-type="fig"}): EM provides explicated knowledge about the business motivation for the DT in the form of enterprise models.Capability design provides (1) capability based digital twin design that are executable in the sense that they are integrated with the physical twins, and (2) generates the monitoring applications for digital twin management from the context model.The delivery and operation sub-cycle provides data types (e.g. context element types, measurable properties, KPIs) of available data used at runtime of the digital twin. This allows extending the existing designs as well as selecting existing and obtainable data in new designs. The Design provides best practices and reusable components on which the EM sub-cycle can base new business developments. Fig. 1.An overview of the envisioned capability-driven cycle of management digital twins.
Feasibility Demonstration {#Sec15}
=========================
Figure [2](#Fig2){ref-type="fig"} illustrates the feasibility of the CDD use with a fragment of a capability model consisting of goals, capabilities, and context modeling elements. The digital transformation workshop at company A identified an option to develop a pump-as-a-service product. When prioritizing the options, this option was top rated and, hence, converted into Goal 1 to develop pumping-as-a-service. It was refined into three sub-goals aiming at low maintenance pumps (1.1), possibility for real-time monitoring (1.2) and development of a preventive maintenance service (1.3). KPIs were set for all three sub-goals. The goal model is shown on the right side of Fig. [2](#Fig2){ref-type="fig"} and follows the 4EM notation.Fig. 2.A capability model for operating product as a service.
From a capability perspective, pump-as-a-service can be considered in more general terms as product-as-a-service capability if company A wants to offer other physical products as a service. The core sub-capabilities of product-as-a-service are real-time monitoring a product at the client site (which motivates the digital twin) and a reliable product without downtimes. The capabilities are visible in the center of the model.
The left side shows the context elements and the measurable properties on which they are based, in which context sets they are included, and their relation to capabilities. These context elements are calculated from the measurable properties and monitored once the capability is implemented. This also specifies the data to be provided by the DT. An example for a context element is the total energy consumption of the pump measured by the energy consumption of the motor and the energy recuperation achieved by the installed power converter. This context element is required for providing the product as a service (as part of the cost structure) and also for evaluating when to trigger preventive maintenance. From this model the CDD Environment would be able to generate a monitoring dashboard for Capability 1.2. It would display energy consumption, product status, and lubricant level as runtime properties of the application for operational monitoring. For a more strategic view on the capability fulfillment of KPI3 and KPI4 also need to be monitored. For brevity reasons, context and KPI calculations as well as the operational processes linked to the capabilities are not shown in the model.
Concluding Remarks and Future Work {#Sec16}
==================================
The starting point for our work was the analysis of two industrial cases on how digital twin initiatives emerge and what the driving forces for starting implementation projects are. An observation from both cases is that digital transformation and development of new business model options are a motivation and driving force of DT implementation. Both case studies resulted from the need of companies to explore innovative products or services based on digital technologies, embedded into their operational processes and structures. DTs are considered as a way of integrating innovative products/services into the operational context, which leads to requirements for DT functionality and implementation. In summary, we see clear support for our conjecture that DT have to be integrated into the organizational structures and business models of manufacturing enterprises. Furthermore, we analyzed requirements for DT development from literature. Requirements pose a number of issues concerning a model-based design and management with a particularly strong emphasis on establishing a good fit between the business issues and DT-based solutions. This is an area to which EM and CDD have the potential of contributing. In this regard we have proposed an integrated lifecycle and discussed how capability-based DT designs could be used. The initial feasibility demonstration gives reason to the assumption that this approach is promising and should be pursued.
Concerning future work, we plan to investigate to what extent existing technically motivated DT implementations are used for new services or products and cause digital transformation in the enterprise and how the design of the DT features can be included in the capability design. We also aim to establish a development environment for the proposed way of working by integrating components of the CDD Environment with the modeling support by the ADOxx tool.
| {
"pile_set_name": "PubMed Central"
} |
"As much as we have the rivalry that we have, and as frustrating as it was for the Cowboys not to be playing, as much as all of that, I was proud of them, given that narrow set of circumstances, could root for them," Jones said during the NFL Combine in Indianapolis in March. "That takes it right down to just absolutely no choice, you either do or you die. And I want to go again." | {
"pile_set_name": "OpenWebText2"
} |
Frankfurt Der Vorwurf ist hart und emotional. „Das Beharren auf absurden Forderungen von 20 Euro für alle ist ein Schlag ins Gesicht jeder ausgebildeten Krankenschwester und jedes Rettungssanitäters und zeigt die Maßlosigkeit der Gewerkschaft“, wettert Rainer Friebertshäuser, der Verhandlungsführer des Bundesverbandes der Luftsicherheitsunternehmen.
Angesichts des gewaltigen Warnstreiks an deutschen Flughäfen, der an diesem Dienstag weite Teile des deutschen Luftverkehrs lahmlegt, liegen die Nerven auf der Arbeitgeberseite blank. 20 Euro – diese Zahl ist für Sicherheitsunternehmen aktuell unvorstellbar.
Tatsächlich ist die Verdi-Forderung sehr hoch: Bislang ist die Bezahlung der sogenannten Luftsicherheitsassistenten sehr ungleichmäßig. Wer Personal- und Warenkontrollen durchführt, bekommt in der Regel weniger als derjenige, der Passagiere und Handgepäck überprüft.
Hinzu kommt eine teils enorme Spreizung zwischen den Bundesländern. Am unteren Ende liegt etwa Thüringen, wo Passagier-Kontrolleure pro Stunde 14,70 Euro und Personalkontrolleure 12,90 Euro bekommen.
An der Spitze liegt Baden-Württemberg mit 16,78 beziehungsweise 17,16 Euro. Selbst gemessen an der besten Bezahlung würde ein Stundenlohn von 20 Euro einen Aufschlag von fast 17 Prozent bedeuten. Nimmt man am unteren Ende die 12,90 des Personalkontrolleurs in Thüringen, ergibt sich sogar eine Erhöhung von mehr als 50 Prozent.
Verglichen mit anderen Berufen, zeigt sich Folgendes: Ein Luftsicherheitsassistent etwa in Baden-Württemberg liegt schon heute ohne Zuschläge und bei Vollbeschäftigung bei monatlich rund 2.700 Euro. Das ist in etwa das Gehaltsniveau einer chemisch-technischen Assistentin und etwas weniger als das Einkommen eines Elektrikers mit einer zehnjährigen Berufserfahrung (rund 2.800 Euro).
Legt man den von Verdi geforderten Stundenlohn von 20 Euro zugrunde, ergibt sich ein Bruttomonatsverdienst von 3.200 Euro für das Flughafensicherheitspersonal, das ist mehr als ein Meister im Elektrohandwerk verdient (rund 3.100 Euro). Ein Rettungssanitäter kommt übrigens im Schnitt auf 2.150 Euro, eine Krankenpflegerin bekommt im Schnitt 2.100 Euro brutto.
Unter den Forderungen von Verdi könnten letztlich Passagiere leiden
Der Haken an der Rechnung: Die genannten Vergleichs-Berufsgruppen müssen eine mehrjährige Ausbildung machen und zum Teil über viel Berufserfahrung verfügen. Luftsicherheitsassistent kann aber werden, wer nach einer Überprüfung seiner Person eine etwa einmonatige Schulung absolviert und vor der Bundespolizei erfolgreich eine Prüfung ablegt. Für einen Anlernberuf ist die Verdi-Forderung also durchaus stolz.
Die Luftsicherheit ist zwar eine hoheitliche Aufgabe, die Kontrollen an Flughäfen hat die Bundespolizei aber mit Ausnahme von Bayern an Dienstleister übertragen. Einige diese Dienstleister wie etwa die Firma Kötter, die die Kontrollen am Flughafen Düsseldorf durchführen, beklagen bereits heute, dass sie zuletzt nicht mehr kostendeckend arbeiten konnten.
Kötter hatte die Zahl des Personals im vergangenen Sommer deutlich aufgestockt, um für die Hauptreisezeit besser gewappnet zu sein als ein Jahr zuvor. Damals hatten Engpässe an den Sicherheitskontrollen zu einem regelrechten Chaos geführt.
Das Problem dabei: Über das gesamte Jahr gesehen hat das Unternehmen nun einen Personalüberhang, der ihn wirtschaftlich belastet. Die Ausgaben sind zeitweise höher als die Einnahmen. Deutlich höhere Löhne wären in den bestehenden Regelungen zwischen Bundespolizei und Sicherheitsunternehmen also kaum wirtschaftlich darzustellen.
Nicht zu vergessen, ist ein weiteres Kriterium. Derzeit werden die Kosten für die Sicherheitskontrollen zum Teil an die Airlines weitergegeben – und zum Teil an die Passagiere. Je nachdem, wie hoch der Lohnzuschlag am Ende ausfallen wird, dürften also auch auf die Fluggäste Mehrkosten beim Ticketkauf zukommen.
Einige Luftfahrt-Manager fühlen sich hier ungerecht behandelt – auch weil der Wettbewerb in der Luftfahrt ohnehin schon beinhart ist. „Die Kosten für die Sicherheit etwa bei Fußballspielen werden anstandslos von der Polizei übernommen. Warum muss ausgerechnet der Luftverkehr als kritische Infrastruktur das selbst tragen?“, will ein Airline-Manager wissen.
Darüber hinaus treibt die Luftfahrtbranche noch etwas um: Ein allzu großer Lohnzuschlag beim Sicherheitspersonal könnte das Gehaltsgefüge an den Flughäfen in ein Ungleichgewicht bringen. Das Bodenpersonal, das bei Wind und Wetter und unter großer körperlicher Belastung auf dem Vorfeld die Flugzeuge abfertigt, bekommt vergleichsweise weniger Gehalt.
Es könnte von der attraktiven Bezahlung und angesichts der recht kurzen Anlernphase dazu verleitet werden, in die Luftsicherheit zu wechseln. Das würde den bereits bestehenden Personalmangel auf dem Vorfeld weiter verschärfen. | {
"pile_set_name": "OpenWebText2"
} |
FAQ
The rising cost of healthcare and prescription drugs has taken its toll on Americans around the nation. We’ve worked to identify Americans likely to benefit from a FREE pharmacy discount program where you and your entire family can save up to 75%* off costly prescriptions at virtually every pharmacy in America. Our pharmacy discount card has helped over 7 million consumers save a total of over $700,000,000 on their prescription medications.
Below are some of Rebates’ most Frequently Asked Questions and Answers.
How does the card work?
Our pharmacy discount card functions essentially like a coupon, and it’s very simple to use. Just bring your card, along with your prescription, to the pharmacy. The pharmacist will enter the card’s information into the computer and your discount will automatically be applied. The card covers all FDA-approved prescription medications and can be used an unlimited amount of times.
What is the discount on my medication?
The discounts and savings on medications are provided by more than 60,000 participating pharmacies that have agreed to provide prices similar to what they give large insurance companies and employers. If you bring the card with your prescription to the pharmacy, your pharmacist can tell you the exact discount on your medication. Discounts typically range from 10% to 75%* and you can usually get a higher discount on generic drugs vs brand name drugs. Different pharmacies have different pricing and store policy, so prices may vary by location and store. For the best price, you can compare at your local pharmacies.
Does the pharmacy discount card or drug coupon work with insurance?
No, this card does not work with insurance. However, feel free to use your card to price check against your insurance. In some instances we may provide the lower price. For all other questions, please contact your provider.
Why did the discount of my medication change since the last time I filled the script?
The retail costs of medications often fluctuate, which is out of our control. Our discounts will vary by pharmacy and location depending on the store’s prices and policies. We recommend comparing prices at different local pharmacies to see which one will get you the lowest price.
There was no discount on my medication or the price is higher with the card. Why did this happen?
We are sorry to hear that. Discounts for each medication will vary by pharmacy and store depending on store policy and pricing. We recommend checking prices at different local pharmacies to see where you can get the lowest price. The amount you can save will also depend on the prescription – we can usually save more on generic drugs vs brand name drugs.
If the price with the coupon was the same or higher than the pharmacy price, it’s possible that your pharmacy applied its own discount to your prescription purchase, which happens to be a better price than the price using our card. Some big box stores like Costco and Walmart are able to discount certain generic drugs below wholesale cost. Unfortunately, we cannot offer additional savings on top of these deeply discounted rates.
What happens if the pharmacy did not accept my card?
Pharmacies are required by state and federal law to process our prescription saving codes. Sometimes pharmacists may not know how to use or process our coupons. If you need help right away, please call our toll-free help line at 855-382-1280 and an agent can help you or speak to the pharmacist on your behalf.
Is the Rebates pharmacy discount card accepted in Canada?
No, the pharmacy discount card and coupons are not accepted in Canada. This card works in all 50 states and all US territories. No person can be denied this benefit. There is no charge to use this card. It is pre-activated and ready to use.
Can I use the Rebates discount card more than once?
Yes, you can use the coupons and discount card more than once.
Will I be charged for using the pharmacy discount card or coupons? Any hidden fees?
You will never be charged for using this card. We will never sell or share your personal information with anyone. We do not make money from our cardholders. There is no charge to use this free pharmacy discount card, now or in the future. There are no hidden fees or strings attached, only savings.
Is any personal information tied to the Rebates discount card?
This card is not tied to any of your personal information. Furthermore, receiving this card does not enroll you in any program, now or in the future. You may have been put on our mailing list by applying for health insurance, through a third party marketing organization, or if you were referred by a friend or family member. Please be aware this pharmacy discount card works just like a coupon. If you do not wish to benefit from these savings, feel free to simply toss it in the garbage. Again, no personal information is tied to this free pharmacy discount card.
Can someone else use my card?
Yes, you can share the card with friends or family. For added convenience, they can also request their own personal card that they can store in their wallet. Our cards and coupons are always 100% free to use.
Information For Medicare Users
This discount card can be used as a Medicare Part D supplement, allowing drugs to be covered once an individual reaches the ‘donut hole’. However, the prescription drugs purchased will not count toward your Medicare deductible when using this discount card, preventing you from exceeding your deductible and making your way out of the ‘donut hole’. For more information, contact your plan administrator regarding your specific plan.
Company
Use of this website confirms your understanding that the information on Rebates.com must not be used as a substitute for Doctor directed medical instruction. The content on this website is written by a staff of researchers without medical training. Our purpose is to save you money on your Prescribed Drugs! You agree to consult a physician or professional healthcare provider for your medical and prescription drug care. We do not endorse or recommend any of the drugs mentioned on this site.
This site is provided as an educational resource and is not affiliated with the drug manufacturers in any way. All copyrighted images and trademarks are the rights of their respective owners.
*This savings represents the maximum average discount on drugs using Rebates.com for the period March 1, 2015 to March 1, 2016. | {
"pile_set_name": "Pile-CC"
} |
Isolation of a mycoplasma from three patients with lepromatous leprosy.
Using a modified cell-free culture medium and modern microscopic equipment, a mycoplasma was isolated from scrapings of skin lesions of three patients with lepromatous leprosy. Three specimens were taken from the first patients. All five isolates were arginine-positive and their antibiotic sensitivity was identical with only one slight exception. | {
"pile_set_name": "PubMed Abstracts"
} |
Intalnirea a fost arbitrata de Tiberiu Soare. Vasile Dincu a spus, in debutul acestei adunari oficiale: "Situatia este de criza, insa o criza poate fi si inaugurala, de bun augur. Sunt aici pentru a gasi o solutie impreuna cu dumneavoastra."Au vorbit apoi, pe rand, artisti ai ONB. Angajatii care au tinut cuvantari ii sustineau pe Tiberiu Soare si Vlad Conta.Vasile Dincu a luat o decizie, dupa ce le-a ascultat "pledoariile" artistilor: "O sa-i propun premierului sa convoace corpul de control. Artistii nu se simt bine cu agresiunile birocratice. Corpul de control va face o investigatie aici pentru rezolvarea situatiei administrative.""Noi, majoritatea ne-am exprimat dorinta de a-i avea la conducere pe Tiberiu Soare si pe Vlad Conta. Readucerea acestor maestri la ONB ar insemna o onorare a acestor romani. Dvs sunteti membru al Guvernului, dar nu trebuie sa ii reprezentati pe Alina Cojocaru sau pe Kobborg. Vedetele au intotdeaua capricii. Domnul Kobborg nu a fost expulzat, ci doar demis dintr-o functie inexistenta. Domnul Ministru al Culturii a fost impiedicat sa-si onoreze decizia din cauza unei presiune mediatice. Noi nu vrem ca vreo persoana din vechea garda a lui Razvan Dinca sa obtina vreo functie de conducere. Oare ce tara este aceasta in care Ministrul Culturii incearca sa impuna un om, pe Kobbog, la conducere? Ce s-ar intampla daca dumneavoastra, vicepremier, ati vrea la fel, sa-l impuneti pe Kobborg?" a spus Oana Andru, prim-soprana.Artistii de la Opereta au citit o expunere in care si-au exprimat doleantele: "Protestul nostru se refera la separarea Operei de Opereta, deoarece efectele comasarii sunt nocive. Vrem reinfiintarea Teatrului de Opereta. Sustinem pe Tiberiu Soare si Vlad Conta. Aducem la cunostinta problemele tehnice, repertoriale si artistice in perioada in care la conducere era Razva Ioan Dinca. Din cauza fuziunii si managementului defectuos, activitatea e aproape zero la Opereta. Ministerul Culturii a refuzat inca din 2008 sa raspunda in fata acestei stari de fapt. In calitate de guvernanti, sunteti raspunzatori sa gasiti o solutie!"Bianca Ionescu, prim-solista a Teatrului de Opereta: "Acest Teatru este in agonie. Razvan Ioan Dinca l-a preluat dupa incendiu. Opereta trebuia sa renasca din propria cenusa. Insa Razvan Dinca, ne-am dat seama din primul discurs-monolog, era incompetent. A existat pe parcursul acestei conduceri o lipsa totala de transparenta. S-au pierdut partituri, s-au scos spectacole din repertoriu, recuzita, butaforia a disparut. Regiile erau artificioase, superficiale. Artistii suporta suplicii si jigniri. Vocile au rasunat liber in sali cu acustica speciala. Ce se intampla acum? In noul teatru se canta amplificat de lavaliera? Artistii care au fost distribuiti nu sunt in stare sa cante cu voce proprie, trebuie sa le fie vocile amplificate. Teatrul este ruinat. Vrem un teatru de repertoriu, cu structuri tehnice si artistice stabile. Avem nevoi de un director care sa nu faca din arta o afacere."Audienta din Sala Mare prezenta la "protest" a aplaudat frenetic dupa cuvantarea Biancai Ionescu. Atent, Vasile Dancu a reactionat prompt: "sunt profesor de comunicare, inteleg semnificatia acestui val de aplauze."Balerinii din corpul de balet de la ONB au luat la randul lor cuvantul: "Opera a inceput sa semene cu un teatru de proiecte, au fost scoase spectacole din repertoriu. Prosperitatea pe care si-a insusit-o Kobborg nu este reala, intrucat el a dispus de sume imense pentru proiecte. S-a afirmat in mod eronat cum ca inainte de venirea lui Kobborg corpul de balet era slab din punct de vedere artistic. Nu este adevarat, coregrafi mari au venit sa monteze cu noi. Kobborg a exercitat o presiune constanta asupra balerinilor, i-a intimidat prin intermediul retelelor de socializare.O balerina de la ONB a spus ca doar a lasat un comentariu pe internet referitor la un text postat pe Facebook de Kobborg. Un coleg balerin i-a dat "like". Kobborg i-a chemat pe ambii sa-i traga la raspundere. "Salariile sunt discrimantorii, nu atat intre romani si straini, cat intre prietenii lui Kobborg si ceilalti. Un balerin englez castiga dublu cat mine.", a mai spus balerina."Declaratiile Alinei Cojocaru contin minciuni si denigrari ale ONB. Kobborg a denigrat, de asemenea, prestigioasa traditie si istorie a ONB.", au spus mai multi balerini.Coregraful Ioan Tugearu a vorbit mult si cu ardoare: "Opera e jignita in profunzime, Kobborg e aici in ipostaza de turist, cum poate sa conteste valoarea artei noastre romanesti? Pe de alta parte, cum ne poate acuza pe noi de xenofobie? Orice corp de balet este compozit. Nu-i asta, fratilor, poporul roman! Printul Charles vine in tara asta splendida, a carei apa curge si in sangele meu. Noi nu suntem prin natura xenofobi. Orice balet are negri, japonezi, chinezi, europeni, toate suflarea de pe lume. Singurul lucru care ma deranjeaza la acest cuplu, desi eu i-am iubit si pe Kobborg si pe Alina, pentru ca sunt din lumea dansului, este ca arata dispret dansatorilor. Un dansator este un aluat prin care creez pentru spectatori. Eu nu pot sa accept ca acest domn sa conditioneze ONB. El doar a dansat pe scena, la fel ca mine. Sa conditioneze dirijorii, cand stie ce imperiu vast se ascunde in acesti oameni? Mi-ar crapa obrazul de rusine? Sa fac din asta un titlu de noblete, ca fara mine n-o sa fie soare si nimeni director? Eu nu spun ¬Afara, strainii!¬ Mii si mii de americani ne-au bombardat Bucurestiul si noi le-am facut statui. Daca acesti doi oameni nu au iubit ONB, daca nu poti colabora, nene, taticule, iubitule, draga mea, duceti-va unde veti fi primiti cu mai multa dragoste decat la noi."Marina Minoiu, balerina, de partea Alinei Cojocaru: "S-au adus spectacole noi, de talie internationala, am avut totala libertate pentru dezvoltare artistica, mai ales datorita Laboratorului de Coregrafie. Am avut dansatori invitati din baletul de talie internationala. Au fost adusi in companie fizioterapeuti, s-a deschis colaborarea cu firme ce produc pointe, s-a dublat numarul de pointe pentru balerine, am primit sponsorizari din partea unor firme de makeup, s-au organizat gale de balet, turnee. Renumele a crescut la nivel international, datorita aparitiei unor articole laudative in publicatii de mare renume, precum New York Times. Promovarea balerinilor s-a facut treptat, in spectacole, in fata publicului, nu in culise. Au fost trei premiere de balet pentru fiecare stagiune. Au fost schimbate mentalitati vechi."Alti balerini, care-s impotriva dansatorilor de sub inraurirea "Kobborg si Alina Cojocaru" spun ca, de fapt, conditiile in care se lucra erau groaznice. O balerina: "Era iarna, dansam la repetitii cu gecile pe noi. Totusi, Kobborg programa in continuare repetitii. Cat despre spectacolele de talie internationala, despre coregrafii maestri care au venit sa monteze aici, imi pare rau, dar aceasta este o chestiune ce tine de fondurile alocate. Sub Kobborg, s-au alocat bani.""De ce Alina Cojocaru a fost mereu port drapel, cum isi imagineaza ca poate, dupa ce improasca cu noroi artistii romani, sa ne intoarca in mijlocul oamenilor, sa se uite in ochii lor?". Astfel au motivat angajatii Operei zarva ce s-a iscat atunci cand balerina Alina Cojocaru a intrat in Sala Mare. Artista a fost sfatuita de vicepremierul Vasile Dincu sa renunte la dialog. Audienta intrerupea discursul balerinei si conflictul ar fi putut degenera.Ministrul Culturii, Vlad Alexandrescu a schimbat in ultimele saptamani nu mai putin de patru directori ai Operei: George Calin, Tiberiu Soare, Vlad Conta si din nou George Calin. Calin a fost demis de tot de Ministrul Vlad Alexandrescu, joi, 21 aprilie, la solicitarea angajatilor ONB, care au protestat fata de repunerea in functie la Opera a unui manager corupt.Problemele au aparut in urma neintelegerilor dintre corpul de balet al ONB, in frunte cu coregraful Johan Kobborg si fosta conducere a institutiei de cultura, dirijorii Tiberiu Soare si Vlad Alexandrescu. | {
"pile_set_name": "OpenWebText2"
} |
1. Field of the Invention
The present invention relates to a pedal, and more particularly to a pedal for a bicycle.
2. Description of Related Art
When a bicycle rider is riding on a bicycle, he/or she has to alternatively and repeatedly tread on two pedals of the bicycle with his/or her legs so as to drive the bicycle to move forward. However, when the bicycle rider rides on an bumpy road or when the bottoms of the shoes of the bicycle rider is too slippery, the legs of the bicycle rider would unexpectedly depart from the pedals, and his feet would be hurt by the impact of the pedals. This is particularly a serious condition in a bicycle racing contest.
A conventional bicycle pedal set comprises two pedal bodies, a driving assembly and a braking system. The two pedal bodies are respectively pivoted on two cranks of a bicycle. Each pedal body comprises a controlling member and an engaging member. The controlling member drives the engaging member so that the engaging member is selectively positioned in one of an engaging state and a releasing state. The driving assembly drives the two controlling members of the two pedal bodies. The braking system connects the driving assembly, a front wheel brake lever of the bicycle, a rear wheel brake lever of the bicycle, and two brakes of the bicycle. Under this arrangement, when the rear wheel brake lever is not pressed, the engaging members are positioned in the engaging state; in contrast, when the rear wheel brake lever is pressed, the braking system drives the driving assembly so as to drive the controlling members of the pedal bodies; as a result, the engaging members are positioned in the releasing state by the controlling members.
However, the conventional bicycle pedal set has a disadvantage as following.
The conventional bicycle pedal set is heavier than another bicycle pedal set without the engaging member. Actually, weight reduction is recently an important topic for improving the performance of the bicycle.
The present invention has arisen to mitigate and/or obviate the disadvantages of the conventional. | {
"pile_set_name": "USPTO Backgrounds"
} |
Legal bankruptcy
Legal Owner
The term has come to be used as a technical difference from the equitable owner, and not as opposed to an illegal owner. The legal owner has title to the property, although the title may actually carry no rights to the property other than a lien. | {
"pile_set_name": "Pile-CC"
} |
If I've done my math right, the August "throw them a bone" stock option grant requires a Dynegy stock price of $137.35 in order for it to be in the money. The deal was if you are involuntarily terminated, you have 3 years from said date to exercise. ($36.88/.2685)
What are the chances of that?? | {
"pile_set_name": "Enron Emails"
} |
The present invention relates to a new and distinct cultivar of Crapemyrtle plant, botanically known as Lagerstroemia indica and hereinafter referred to by the name ‘G2X133143’.
The new Crapemyrtle plant is a product of a planned breeding program conducted by the Inventor in Bellefonte, Pa. The objective of the breeding program was to develop new compact, mounding and freely-branching Crapemyrtle plants with large inflorescences, high temperature tolerance, winter hardiness and resistance to Powdery Mildew.
The new Crapemyrtle plant originated from a cross-pollination conducted by the Inventor in August, 2010 of a proprietary selection of Lagerstroemia indica identified as code number 8170-2, not patented, as the female, or seed, parent with Lagerstroemia indica ‘Coral Filli’, disclosed in U.S. Plant Pat. No. 14,317, as the male, or pollen, parent. The new Crapemyrtle plant was discovered and selected by the Inventor on Jan. 9, 2011 as a single flowering plant from within the progeny of the stated cross-pollination in a controlled nursery environment in Bellefonte, Pa.
Asexual reproduction of the new Crapemyrtle plant by vegetative tip cuttings in a controlled greenhouse environment in Bellefonte, Pa. since Feb. 2, 2011 has shown that the unique features of the new Crapemyrtle plant are stable and reproduced true to type in successive generations of asexual reproduction. | {
"pile_set_name": "USPTO Backgrounds"
} |
SharePoint
Solutions for Microsoft SharePoint
iQ.Suite Central email archiving and integration with business processes
Emails often document critical business agreements such as binding offers, contracts, invoices or complaints. This information can now be used in Microsoft SharePoint. The email management solution iQ.Suite lets you store email attachments and other important email data in SharePoint. Employees have improved central access to this data and information can be integrated in business processes as well.
You’d like to integrate and automate business processes in SharePoint? Then the GBS Workflow Manager is what you need. Modern workflow tools enable you to structure business processes and to integrate the resulting applications in SharePoint. From simple forms right on up to complex business logic, everything is possible. | {
"pile_set_name": "Pile-CC"
} |
Q:
Linux bash thing
I try to create a little bash script, with which I have no experience. I try to do something like:
#!/bin/bash
statut="na"
if [ $proc = 0 ]; then
statut = "closed"
else
statut = "opened"
fi
but I receive:
./test.sh: line 4: statut: command not found
Can you give me a hint? On Google I couldn't find something similar. All if examples are with echo not with variable assignation.
Thank you!
A:
That's because you're not following a syntax for assignment operator - you should remove spaces around '=' (and quote $proc):
#!/bin/bash
statut="na"
if [ "$proc" = 0 ]; then
statut="closed"
else
statut="opened"
fi
| {
"pile_set_name": "StackExchange"
} |
Please see the Rankings Help for information on how the rankings work.
Reporting Mistakes or Missing Data:
In an effort to address every legitimate issue, we only accept ranking support requests from a team
registered in the system. The number of comments received from unverifiable sources would prevent
our staff from responding efficiently.
If you are the team coach or manager, you may access the team
login page here. Once you have logged in to your team account, please click
on the Account Assistance link on the menu bar to access the support ticket area. When referring to more than one team
in the rankings system, please include the Team ID numbers shown in the Team Information box so that we may locate the
team data accurately.
Current Team Roster
#
L.Name
F.Name
Pos.
G
A
S
1
Naccarato
Pierce
Defender
-
-
-
2
Bakken
Evan
-
-
-
3
Gomez
Mark
Goalkeeper
-
-
-
4
Mateos
Hugo
Goalkeeper
-
-
-
5
Mejia
Roy
Defender
-
-
-
6
Wisen
Tyler
Midfielder
-
-
-
7
Gonzalez
Freddy
Forward
-
-
-
8
Wierzbicki
Jack
Midfielder
-
-
-
9
Malcolm
Tyrell
Forward
-
-
-
10
McCourtie
Christian
Forward
-
-
-
11
Ramos
Maurizio
Midfielder
-
-
-
12
Lanuza
Yahir
Defender
-
-
-
13
Goodell
Trenton
Defender
-
-
-
14
Flynn
Khyle
Midfielder
-
-
-
17
Chirinos
Kenneth
Defender
-
-
-
23
Richardson
Derek
Defender
-
-
-
24
Zarate
Miguel
Midfielder
-
-
-
26
Pelayo
Ryan
Defender
-
-
-
Player Records
Attention Team Managers: Log into your team account and click on Game History to record individual Goals, Assists, and Saves for your players. | {
"pile_set_name": "Pile-CC"
} |
The first time Carsten Braun visited the Venezuelan Andes was in 2009. He and his wife were climbing Pico Humboldt—the second highest peak in the country—and decided to bring along a GPS in order to measure a small glacier. “That was a total shoestring operation,” he said of the challenging hike to the ice.
Braun, a geography professor at Westfield State University in Massachusetts, has been back to visit the Humboldt Glacier a few more times since then. During his most recent research trip six years ago, the glacier had shrunk noticeably.
“If you imagine draping a pancake over a slope,” that’s what it looked like said Braun of this “pretty thin piece of ice,” no more than 65 feet thick. It would be just under a mile to walk around its entire circumference.
Once one of five major tropical glaciers in the country, the Humboldt is nestled within the Sierra Nevada de Mérida in the western part of the country. Thanks to climate change, Venezuela has found itself a frontrunner in a somber race, with others such as Tanzania and China, to see which country will lose its glaciers first. What we’re seeing now, said Braun, “is maybe the last gasp of the Humboldt Glacier.”
But due to a combination of political upheaval and funding challenges, it has largely been forgotten. It is expected to melt away in the next decade or two without scientists ever having fully studied Venezuela’s last glacier.
Rapid retreat
On a global scale, unlike in Greenland and Antarctica, non-ice sheet glaciers like those in mountains represent about one percent of the world’s glaciers, explained Alex Gardner, a research scientist with NASA’s Jet Propulsion Laboratory who describes his expertise as “all things icy.” So, their contribution to things like sea-level rise aren’t that significant. But because many of these are in areas where temperatures are frequently above freezing, they’re more sensitive to temperature fluctuations.
The Andes are home to more than 95 percent of the world’s tropical glaciers. In some countries, such as Peru and Colombia, the glaciers are a critical source of water—for drinking, hydropower, and agriculture. For them, losing this resource will have a drastic impact. And since the 1970s, glaciers across the region have been in rapid retreat.
“Honestly, I was surprised that there were even glaciers in Venezuela,” said Gardner.
Until recently, the only field studies conducted on Venezuela’s glaciers were in 1971 and 1992 by the late Carlos Schubert , one of the foremost experts on Venezuelan geology. Between Schubert’s two studies being published, four glaciers had disappeared.
In 2013, Braun and Maximiliano Bezada, a mentee of Shubert’s, co-authored a study on the most recent measurements of the Humboldt Glacier. Based on 2011 estimates, the glacier’s surface area was just 0.04 square miles, down about 0.02 square miles since Braun’s first visit in 2009. During this time, numerous cracks appeared throughout the glacier and meltwater was flowing at its base.
Thirty years ago the ice looked strong, said Bezada, a former geomorphology professor for the Instituto Pedagógico de Caracas at the Universidad Pedagógica Experimental Libertador, and one of the few scientists in Venezuela to study the Humboldt Glacier. “Now, it looks sick,” he said. “[It] will die very soon.”
According to Gardner, global temperature rise is the main culprit behind today’s shrinking glaciers. “The model projections show they’re going to retreat. The question is just how much and how fast,” he said.
Lower-lying glaciers like Humboldt are smaller and more vulnerable and are likely to disappear the quickest, he added.
Humboldt’s namesake
Constant snow and ice cover in the Venezuelan Andes was first recorded in 1560. During one 1941 expedition in the Andes, the petroleum geologist and avid mountaineer A. E. Gunther described the Humboldt Glacier as the “largest in these latitudes,” and noted that it would make, “after fresh snow, a splendid skiing slope.”
The mountain upon which the glacier sits takes its name from Alexander von Humboldt, a nineteenth century naturalist and explorer. Humboldt’s first views of Venezuela came in 1799 as he sailed towards its coast lined with green palms and banana groves; a series of cloud-covered mountains sat in the distance.
Related: Finding frozen mummies in the Andes.
Here, Humboldt witnessed the devastating impact of deforestation from plantations in the Spanish colony. As a result, he became the first scientist to discuss the connection between human activity and climate change.
The naturalist outlined how a forest’s fundamental ecosystem services—everything from storing water to protecting the soil—were connected to the broader climate system. While most people during this time argued that our domination over nature was necessary for profit, Humboldt warned that we must first understand the full extent of humanity’s impact on nature.
As Andrea Wulf writes in her 2015 biography of Humboldt, The Invention of Nature, “The effects of the human species’ intervention were already ‘incalculable,’ Humboldt insisted, and could become catastrophic if they continued to disturb the world so ‘brutally.’”
As early as 1925, and again in the ‘90s by Schubert, scientists have been making the connection between human pollution from the Venezuelan town of Mérida and its potential impact on the nearby glaciers, which have been retreating over the past one to two hundred years since Humboldt’s warning.
Keeping tabs
Today, mountaineers are the only ones who get close enough to see the glacier. International scientists are either dissuaded from or simply not eager to propose research trips to a country deemed too dangerous to visit.
Add to this the reality that the Humboldt Glacier isn’t the most glamorous of the globe’s features—a mere spec compared to the ice fields in Patagonia—and it becomes easy to see why research funding may be hard to secure.
During his time, Schubert—among whose prized possessions was an 1815 edition of Humboldt’s Travels—had called for a monitoring program to document Venezuela’s glacial retreat; something echoed by Bezada and Braun. Yet no such program was ever established.
Some monitoring of the glacier can be done via satellite. But the glacier is now so tiny that the free data from the Landsat satellites is not high enough resolution to glean detailed information from, says Braun.
‘Entirely symbolic’
Described as “a glaciological anomaly” by Braun and Bezada, the Humboldt Glacier would probably have disappeared years ago if it weren’t for it being nestled on the shadier side of the mountain. And since the glacier is already so small, any impact on local water resources will likely be negligible.
“It’s entirely symbolic at this point,” said Gardner of the melting glacier. “This is the impacts of increased CO2 in the atmosphere.”
Braun agreed. Mérida is known as the Boulder, Colorado, of Venezuela. So, for those living nearby, the glacier is “part of their identity,” he said. “It’s part of their environment, looking up in these mountains and seeing ice. | {
"pile_set_name": "OpenWebText2"
} |
Lung cancer is the leading cause of cancer related mortality in both men and women and remains a major health issue. More than 162,000 individuals will die from lung cancer in the coming year, more than breast, prostate and colon cancer combined. The majority of lung cancer cases is attributable to tobacco smoking and in some cases other environmental risk factors. Although the relative risk of developing lung cancer declines dramatically in smokers who quit, former smokers remain at risk for the disease. Several recent studies show that greater than 50% of newly diagnosed lung cancers occur in former smokers. It is estimated that there are approximately equal numbers of smokers and former smokers in the United States. Since smoking cessation is a major public health initiative, former smokers will increasingly account for a higher percentage of lung cancer cases. Therefore, two high-risk population groups exist for lung cancer and improved disease management can be beneficial to both current and former smokers. Additionally, the prognosis for lung cancer patients is very poor. Resistance to chemotherapy used in lung cancer treatment remains a major problem and a better understanding of the mechanisms for resistance could lead to more effective therapies. The MAP3K8 gene is a mitogen activated protein (MAP) kinase kinase kinase expressed in a variety of cells and found to be oncogenic and constitutively activated when altered at the 3 end. However, mutation of the gene appears to be a rare event in humans, but altered MAP3K8 expression is associated with multiple tumor types. MAP3K8 possesses the unique characteristic of activating multiple cascades, including both proliferative and apoptotic signal transduction pathways such as the MEK-1 and SEK-1 pathways, respectively. In NIH3T3 transfection assays utilizing lung tumor DNA, our lab identified a 3 alteration of MAP3K8 similar to the previous reports. We first hypothesized that MAP3K8 might be a target for mutation since we were the first group to report an activating mutation in a primary human tumor. However, it has become clear that mutations are not a common event in tumorigenesis for this gene. Subsequently we showed varied levels of expression of the gene in lung tumor cell lines. This led us to investigate other downstream pathways that could explain the tumorigenic potential of MAP3K8. These included transcription factor array analysis and protein kinase array experiments. We were able to confirm other reports in the literature demonstrating upregulation of NF-kappaB and AP-1 as well as identify other important transcription factors not reported in the literature. These and other experiments, as well as published reports lead us to modify our hypothesis that increased expression of MAP3K8 occur in lung cancer and contribute to disease progression. We have recently shown that increased protein expression of MAP3K8 in lung tumor cell lines leads to changes in downstream signaling pathways and ultimately transcription of important genes in cell survival. To test the effects of MAP3K8 over expression on survival in the presence of a commonly used chemotherapeutic, paclitaxel, we stably transfected a normal tracheal epithelial cell line with MAP3K8. These data suggest MAP3K8 expression is altered in lung cancer cells lines and because of its role in the inflammatory response and cell survival, MAP3K8 over expression may be involved in tumor progression. Future experiments will demonstrate the importance of MAP3K8 in resistance to paclitaxel. We are also positioned to test the effect of MAP3K8 on tumorigenesis using the knockout mouse model and the skin two step carcinogenesis model.Lung cancer is the leading cause of cancer related mortality in both men and women and remains a major health issue. More than 162,000 individuals will die from lung cancer in the coming year, more than breast, prostate and colon cancer combined. The majority of lung cancer cases is attributable to tobacco smoking and in some cases other environmental risk factors. Although the relative risk of developing lung cancer declines dramatically in smokers who quit, former smokers remain at risk for the disease. Several recent studies show that greater than 50% of newly diagnosed lung cancers occur in former smokers. It is estimated that there are approximately equal numbers of smokers and former smokers in the United States. Since smoking cessation is a major public health initiative, former smokers will increasingly account for a higher percentage of lung cancer cases. Therefore, two high-risk population groups exist for lung cancer and improved disease management can be beneficial to both current and former smokers. Additionally, the prognosis for lung cancer patients is very poor. Resistance to chemotherapy used in lung cancer treatment remains a major problem and a better understanding of the mechanisms for resistance could lead to more effective therapies. The MAP3K8 gene is a mitogen activated protein (MAP) kinase kinase kinase expressed in a variety of cells and found to be oncogenic and constitutively activated when altered at the 3 end. However, mutation of the gene appears to be a rare event in humans, but altered MAP3K8 expression is associated with multiple tumor types. MAP3K8 possesses the unique characteristic of activating multiple cascades, including both proliferative and apoptotic signal transduction pathways such as the MEK-1 and SEK-1 pathways, respectively. In NIH3T3 transfection assays utilizing lung tumor DNA, our lab identified a 3 alteration of MAP3K8 similar to the previous reports. We first hypothesized that MAP3K8 might be a target for mutation since we were the first group to report an activating mutation in a primary human tumor. However, it has become clear that mutations are not a common event in tumorigenesis for this gene. Subsequently we showed varied levels of expression of the gene in lung tumor cell lines. This led us to investigate other downstream pathways that could explain the tumorigenic potential of MAP3K8. These included transcription factor array analysis and protein kinase array experiments. We were able to confirm other reports in the literature demonstrating upregulation of NF-kappaB and AP-1 as well as identify other important transcription factors not reported in the literature. These and other experiments, as well as published reports lead us to modify our hypothesis that increased expression of MAP3K8 occur in lung cancer and contribute to disease progression. We have recently shown that increased protein expression of MAP3K8 in lung tumor cell lines leads to changes in downstream signaling pathways and ultimately transcription of important genes in cell survival. To test the effects of MAP3K8 over expression on survival in the presence of a commonly used chemotherapeutic, paclitaxel, we stably transfected a normal tracheal epithelial cell line with MAP3K8. These data suggest MAP3K8 expression is altered in lung cancer cells lines and because of its role in the inflammatory response and cell survival, MAP3K8 over expression may be involved in tumor progression. Future experiments will demonstrate the importance of MAP3K8 in resistance to paclitaxel. We ar [summary truncated at 7800 characters] | {
"pile_set_name": "NIH ExPorter"
} |
The New Partnership
byMichael O'BrianonJune 9, 2014
Enforcement and the Private Sector
The code community for years has worked to develop the partnership with the building owner (or occupant), the contractors who perform ITM work, and the adopted fire and building codes. Many communities have been successful over the years, although there has never been a sustained third party-vendor who specialized in linking this communication.
I was excited to hear of additional users utilizing a third party ITM service and wanted to share this brief development between Inspection Reports Online (IROL) and a major southern city. I know there are other competitors to IROL, this release struck me as a company which gets our role as inspectors. So take a look below:
InspectionReportsOnline (IROL) is pleased to announce its partnership with the City of Tucson Fire Department!
The Tucson Fire Department was searching for a web-based inspection report management system to assist in increasing their fire prevention efforts. The TFD wanted a system that emphasized the organization of incoming Inspection, Testing, and Maintenance (ITM) reports for the fire protection systems in their communities and the ability to implement a self-inspection program for their building owners.
“The self-inspection program that IROL offers was a deciding factor for which web-based reporting system to use,” says Tucson Fire Systems Engineer Ken Brouillette. “TFD needed a new direction with our self-inspection program and IROL offered us a solution.”
IROL’s unique cloud-based system has been assisting in the inspection process for Authorities Having Jurisdiction (AHJ), Service Providers (SP), and Commercial Property Owners/Occupants (PO) since 2010. Because it is the only web-based system allowing building and property owners to be actively involved with inspection management, retention, and overall compliance, IROL was the perfect fit for the TFD.
“We are honored for the opportunity to assist the City of Tucson’s Fire Department in their efforts to implement a web-based system,” says IROL Partner and Marketing Director Jill Cotton. “This program will allow the TFD to connect with their service companies and building owners, which will increase the overall compliance of fire and life safety protection systems. It’s about building safer communities and reducing the impact of fire; and through systems like IROL, we can achieve this goal.”
For more information about the IROL-TFD partnership, please call Jill Cotton at 331-454-7800 or email Jill at jcotton@irol-llc.net. | {
"pile_set_name": "Pile-CC"
} |
Exploring my experiences with mental illness
Monthly Archives: July 2017
I’ve spent the last week mulling over the death by suicide of Linkin Park singer Chester Bennington. was one of those 90s kids who picked up their first album, Hybrid Theory, and I really loved their first few albums, though I started to drift away as time went on. There was something about the music, the lyrics, the power behind what was being sung that really spoke to me – probably because, whether I knew it or not, that was a relatively dark period in my life. For my last two years of high school – 1996-98 – I was dealing with the fallout of having a thyroid condition that was mostly unmedicated, and a lot of the symptoms mimicked depression pretty well. This continued into college, where I was diagnosed with Major Depressive Disorder when I was 20. I was not in a good place mentally, so many of the songs of Linkin Park spoke to me – Numb, Crawling, In The End, Somewhere I Belong… I didn’t know much about Chester Bennington or his background, then, but the things he was singing about really felt close to my heart.
Hearing about his suicide was kind of a blow because of that impact his music had on me. I’ve learned more about who he was and what he had dealt with in his own life over the last week, and I can see now why his songs touched me – because it seems like he had many of the same kinds of feelings I did. And I’ve attempted suicide myself, as well as lost a close friend to it, so I know what it can feel like to be on both sides of that divide. I even managed to have an acquaintance-ending argument with someone on social media because of the way they reacted to Mr. Bennington’s death; they asserted that his choice was weak, selfish, and a ticket straight to hell, and I strenuously disagreed.
I can’t speak to what Mr. Bennington felt; I never met him, and I only really know him through his music. But the idea that suicide is somehow weak or selfish is one that just burns me up. For me, and for some other people who have contemplated (or attempted) suicide that I have spoken with, suicide is a solution of last resort, when the pain – usually emotional and mental – just becomes too hard to deal with. It’s not a spur-of-the-moment decision, but usually comes with prolonged suffering. Only it is suffering that others can’t see, and it is suffering that often those who suffer can’t (or don’t feel they are able to) show, because of how that suffering is perceived. There’s a sort of societal assumption that ‘real’ suffering has to have a visible component; a broken limb, a huge gash, even a tumor. If it can’t be seen, then, some assume, it must not be real, it’s just imaginary.
While yes, it is all in the heads of those who are suffering, that doesn’t make it any less real. Being in one’s head does not somehow make suffering imaginary. But when people feel like their pain won’t be taken seriously, they keep it inside, and that just lets it grow and fester, like an infected wound – only there is no iodine or antibiotic for emotional trauma. People living with that pain fight a daily battle just to be even marginally functional, and when you’re fighting a part of your own brain, there’s really only so long you can keep fighting without help. For some that means medication, others therapy, still others can find some activity to help, and a combination works for many. But it’s not weakness to give in after fighting a losing battle – if that were true, we’d view the Spartans as weak for losing at Thermopylae.
As for selfishness, that’s trickier. Suicide can appear selfish to someone who has never thought of it, and again, I can only go on my own experience and what has been told to me by others. But depression can get your mind so twisted up that you feel like a burden to others – your family, friends, the people you work with, even casual acquaintances. It feels like every time mention is made of how terrible one feels, that it is somehow a burden to those around us. So we pull back, and stop sharing, because we don’t want to be a burden. but that puts more metaphorical weight on us, and we pull back more, until we become certain that removing ourselves from the lives of those we care for will be the best thing we can do for them. I know in my darkest times, I believed that my friends and family were so burdened by my presence and by the things in my head that my loss would actually be a comfort to them, that it would be a relief to not have to deal with my issues anymore. It seems nonsensical – how could someone we love and care for be such a burden that their death would be good for us? – but that’s the insidious nature of depression. It twists our thoughts around to such a degree that up seems like down, black seems like white.
Don’t even bring up suicide being a trip straight to hell with me. I am a Christian, and I know that one can read one of the commandments – ‘thous shalt not kill’ – to be a condemnation of not just murder, but suicide as well. I’m familiar with the medieval treatment of suicide, seeing it as a crime against God and man alike, so much so that suicides were buried, not in graveyards, but at crossroads (discussed here). My response to any of that is this – that God, who is infinitely loving and compassionate, must see the pain that someone who died from suicide was in, and that they may not have been thinking clearly. Such a loving and compassionate deity would see that soul’s pain and, instead of banishing them to hell, accept them into heaven, because surely they had already suffered enough. And a God who would condemn someone who died from suicide to an eternity in hell because they finally gave in to the pain they were suffering from is not a God I would feel is worthy of worship. There may be a theological argument for hell being self-imposed, that perhaps a person who died from suicide felt themselves unworthy of God’s love and intentionally separate themselves from their deity, but I would think that in such a case, the door would still be left open to them. If you really want to have this argument with me – and I don’t suggest it – it will start off hostile, and will probably involve a whole host of profanity. So let’s move on, shall we?
I’m going into social work, as anyone who has read many of my previous entries will know, so therapy is what I want to be able to do. This is because I want to be able to reach out to people before they reach the point of no return; I’ve been there, and I know how hard it can be to reach out, but having someone to talk to, who isn’t going to judge you, make fun of you, or try to second-guess you, can be a godsend. I don’t know how Mr. Bennington handled his feelings, and I wish he hadn’t died the way he did, but I know the demons that can be crawling in our skin. I know there are wounds that won’t heal, that can’t be seen. I know what it can be like to feel so numb that pain is the only thing that makes an impact, and death seems like the only answer. These are real things, even if they aren’t visible, and there are millions of people in this country alone dealing with them every day.
I welcome discussion here. If you have questions about my own experiences, please ask them. If you want to talk to me about anything, feel free to message me, and I’ll answer. I know that here, I’m just an anonymous voice on the internet, but I know that talking to someone else can help, even if only a little. I’m not as eloquent in my handling of this topic as a former colleague of mine, one of the most intelligent and well-read people I have ever had the pleasure of learning alongside, who covered this in his own way with The Grendel Crawling In Our Skin: In Memory of Linkin Park’s Chester Bennington. And I know that for people who are suffering from thoughts like this, it can often be nigh-impossible to reach out, even to someone who may have an idea what they are going through. I’m sorry; I wish the internet allowed me to just step through it and sit with you through your pain, and do what I can to help. But right her, right now, this is what I can do.
Goodbye, Mr. Bennington. Your music helped me through some very difficult periods in my life, and I know it helped many others. Your music helped inspire the work of another of my favorite artists, Icon for Hire (whose singer did her own cover of Numb several years ago); many of their songs are about dealing with emotional issues and mental well-being. It may not have helped you, but it did reach many who might otherwise have felt alone in their suffering. Wherever you are, I hope you have found some measure of peace. | {
"pile_set_name": "Pile-CC"
} |
Please advise. Adding 1/2 qt. oil for every 3 maybe tanks of gas. 1990 300e 2900cc. 137000 miles. MB dealer said his mechanic had no issues with car. Car passed DEQ easy. Lots of power . No smoke plume. No visible leaks. Some lifter noise at first startup in morning. Hard starting at first startup in morning or after sitting all day at work. How much oil use is to much, and what would make it start better? | {
"pile_set_name": "Pile-CC"
} |
From 7-11 p.m. on Friday, May 9, the second annual Brews & Bites Fundraiser takes place at Arbeitoer Hall, 1304 S. Wenona Ave. Tickets are $25, which covers appetizers from numerous vendors, a 16-ounce pint of beer, an 8-ounce taster flight, live music, and a voucher for one film during the festival from Sept. 25-28.
The idea for the fundraiser, which first happened in 2013 at Tri-City Brewing Co., was conceived of by festival friends Jessica McQuarter and Kristin Bearden. The two are part of the Rotary International Alumni Foundation, who sponsored 2013’s event.
Arbeitoer Hall, 1304 S. Wenona Ave. on Bay City's West Side.
“Kristin and Jessica helped HHM to raise approximately $2,000 for Season 8, and they did an amazing job of promoting the event,” said Christa Schubert, HHM’s reception coordinator. “Every bit of HHM's fundraising and sponsorship dollars goes toward bringing guest filmmakers, incredible indie bands and films that can only be seen on a festival circuit to Bay City.”
“We wanted to hold a fundraiser in 2013 to help HHM, get young professionals involved with the festival and give back as Rotarians,” added McQuarter. “So, we planned the 2013 Brews & Bites as a Rotary sponsored event. We were able to sell tickets to local Rotary clubs by speaking at their weekly meetings. We gathered volunteer power from our Rotary Alumni contacts. Kristin and I just have a great love for the films and music of the festival, so we're so glad we had a successful event, raised a good chunk of money and hopefully began a tradition with Brews & Bites.”
Joe Hackett, beer consultant at the Governor’s Quarters, a tap room located in the basement at Arbeitoer Hall, helped develop the beer pairings for vendors’ food selections at the 2013 event, and he helped HHM organizers connect with Jeff and Heidi Owczarzak, the hall’s owners, to sponsor 2014’s gala.
“The selection of Michigan beer on tap at Governor's Quarters is amazing, and the reception hall upstairs is truly a West Side treasure,” Schubert said. “If you haven't been inside Arbeitoer Hall, Brews & Bites … is the perfect opportunity to see this facility in action.”
The following businesses are providing the fundraiser’s titular bites:
On the music side of things, Electric Kitsch owner Jordan C. Pries and M.M. Knapps are spinning vinyl throughout. Come 10 p.m., Detroit’s George Morris & the Gypsy Chorus is to perform. The quartet — comprising Morris on vocals, guitar and keys; Aaron Nelson on bass; Helena Kirby on keys; and Zach Pliska on drums — has a distinctive sound merging forward-leaning indie dance pop, Beatles-esque melodies and ‘70s glam rock. Their live show is something to be reckoned with, frenetic and stunning.
The band hasn’t performed in Bay City before, but Morris and Nelson previously played here with their previous band, the Satin Peaches, back in 2005. The band is also to perform at an HHM Indie Music Showcase at BeMo’s Bar, 701 S. Madison Ave. on Saturday, July 12.
“We've been itchin' for a wild night with our Bay City buddies,” Kirby said. “We plan on leaving it all on the floor for this show, a noteworthy first impression."
Schubert said there are several goals organizers hope to achieve with the event.
“Our first goal is for everyone to have a great time, of course, but we also want to create awareness about the festival and what HHM brings to Bay City — great music, talented filmmakers with engaging stories to tell, and an experience that is very up close and personal for our festival audiences,” she said. “Our filmmakers and musicians feel very welcomed here, and many return (or encourage colleagues to participate) because of Bay City's energetic spirit. However, providing hotel, sometimes transportation, covering film fees, getting high quality bands and covering costs of rentals and facilities does come at a price, and events such as Brews & Bites paired with local sponsorship help our organization.” | {
"pile_set_name": "Pile-CC"
} |
(CNN) --Ray Davies, the lead singer with the British rock band The Kinks, is recovering after being shot in New Orleans.
A police spokesman said Davies and a female companion were walking near the French Quarter at about 8:30 p.m. ET Sunday when two suspects approached them and grabbed the woman's purse.
Davies, 59, ran after the suspects, and was shot in the leg, New Orleans Police Department spokesman Capt. Marlon DeFillo said. The woman was not injured, police said.
The songwriter was taken to a hospital, where he was treated and released soon afterwards in good condition.
DeFillo said police had arrested one of the suspects and were seeking the other.
Davies' manager Deke Arlon confirmed the Londoner had been shot in the leg. "He was in New Orleans and was leaving a restaurant with his girlfriend last night," he told the UK's Press Association.
"They were attacked by two muggers who stole a handbag. He chased after them and he was shot in the leg.
"It is not really serious. He should be up and about in a day or so.
"The message that came back to me was that he is in good spirits."
Davies founded the Kinks, which was one of the most influential bands of the 1960s, with his brother Dave in London in 1963. Their hits include "You Really Got Me," "All Day and All of the Night," and "Lola."
He continues to perform four decades on and his songs went on to become hits for acts like The Jam, Van Halen and The Pretenders.
Davies became a Commander of the Order of the British Empire last week in Britain's New Year honors list for services to music. | {
"pile_set_name": "Pile-CC"
} |
Change dates to view pricing options.
Loading Booking Options
Shanti Som Wellbeing Retreat
Top Amenities
Free Wifi
Free Parking
Free Breakfast
Pool
Shanti Som Wellbeing Retreat offers an airport shuttle for EUR 70 per vehicle one way. You can visit the spa to indulge in massages, body wraps, or aromatherapy, and Shanti Som Restaurant serves breakfast, lunch, and dinner. An outdoor pool and a bar/lounge are other highlights, and rooms at this upscale hotel offer up nice touches like rainfall showerheads, bathrobes, and pillowtop beds with premium linens. | {
"pile_set_name": "Pile-CC"
} |
Modern games are more than graphics – precise audio positioning gives gamers a distinct edge over enemies. That's why Strix Soar includes Sonic Radar Pro, an ASUS exclusive technology that visualizes and enhances in-game sounds, giving you a vital edge in first-person shooters.
Fire up your favorite game and Sonic Radar Pro displays a ‘radar' HUD (heads-up display) that pinpoints in-game actions relative to your position, so you'll know exactly where you are on the battlefield and what's happening around you.
Multiple radar-enhancers can be enabled in order to visualize and boost specific sounds such as footsteps, gunshots, and call-outs. Sounds are plotted on the 360-degree HUD, even when there's no clear line of sight, so invisibility is no barrier to pinpointing opponents, giving you a distinct advantage over other players. Additionally, Sonic Radar's on-screen appearance and position is completely customizable, so you can arrange it just the way you want, with whatever game you want. | {
"pile_set_name": "OpenWebText2"
} |
Q:
Achieving dark matte background in studio
I've been trying to achieve a dark matte background (maybe with some texture on it) in a studio, but i have a limited experience with backdrops and so far i haven't been able to produce satisfying results. Here's what i do:
i hang a black seamless paper backdrop
i put a very dim strobe on it (just for a little gradient)
i put my model a few meters from the background
In this situation the results are pretty good, but only for headshots. And since i have limited space, i can't shoot full-length portraits with the model so far away from the background.
So ... as soon as i get the model closer to the background and as soon as more light starts hitting it ... the results are terrible: the background looks very uneven, and obviously, there's this terrible line of light where the background curves near the ground. It takes huge amounts of post-processing to fix it and even then it looks horrible.
So my question is ... how do i get a matte look even when a model is close to the background?
Below is an example of what i'm talking about (WARNING: slightly NSFW). It looks to me as if the background in the sample image was simply done in post, but i believe there are some backdrop materials that could achieve a decent result as well. What are your thoughts on this?
Sample image (slightly NSFW): https://500px.com/photo/83383151/catia-by-paulo-latães
(as you can see, instead of a white highlighted horizontal area we have a beautiful dark shadow where the background curves on the ground)
Thanks for your input
A:
Black seamless is not what you want to be using to get a midnight grey background in a small space; it takes quite a bit of light to lift the values, and there's no way to sneak enough light in without making the paper seem glossy in spots. (With a lot more room, you can control the angles to avoid shine or use softer light without worrying about spill.) Seamless is pretty heavily sized and calandered as matte papers go; it's glossier than most people think it is. A more truly matte paper, like a good pastel paper with a lot of "tooth", would need to be much heavier to avoid easy tearing in sheets/rolls that size.
You'll probably find that a charcoal grey or "black tie-dye" fabric (muslin) will give you fewer problems, provided that you steam or press it and hang it carefully. Canvas would be better, except that the fabric will be coarse enough to show texture with your subject so close to the background. That may or may not be a problem, depending on your tastes. A good muslin isn't especially cheap, but you can test the concept using a small remnant (about a linear metre) from a fabric store. You want something dark enough that it's easy to let it fall to black when unlit (or not well-lit), but that will be near enough your desired grey value when lit as the model is lit.
| {
"pile_set_name": "StackExchange"
} |
The present invention relates to a fiber opening device in a spinning unit of an open-end spinning machine, and more particularly such a device having an opening roller rotatably mounted in a housing to which a sliver is fed by a drawing-in roller.
In open-end spinning, a sliver consisting of fibers that are generally parallel is combed to separate the fibers by an opening roller enclosed in a housing and the fibers are fed by air current in the housing to a fiber discharge opening in the housing from which they pass through a fiber guide tube to the spinning element, e.g. a spinning rotor.
As the fibers are of small size, even very small crevices between and within the components of the device, such as at edges and corners, can result in entrapment of individual fibers and the accumulation of a clump of fibers that disrupts the even flow of fibers that may ultimately break loose and pass into the spinning rotor to create a faulty slub in the yarn.
Typical of the known fiber opening devices in open-end spinning machines is the device disclosed in German patent document DE-PS No. 19 14 115, in which a trash discharge opening for separating trash, such as hull particles, dirt, etc., is formed in the housing between the drawing-in roller and the fiber discharge opening to the guide tube. Such a trash discharge opening will allow undesirable clumps of fibers to be discharged and not pass through the guide tube to the rotor, but it does not prevent the formation of clumps, which can result in faulty yarn, e.g. thin areas, during the formation of a clump of fibers prior to being broken loose and discharged. In known fiber opening devices, there are several locations at which fibers can be caught and accumulate in crevices. Typical of these are the pivoted feed trough, the drawing-in trough and the corners between the housing sidewalls and circumferential wall. | {
"pile_set_name": "USPTO Backgrounds"
} |
Q:
How to build rpm package correctly?
I'm trying to install the new version from ganglia, which provides a tar.gz.
My procedure was uncompress the tar.gz file, enter in the folder and then makes rpmbuild -ba ganglia.spec, a warning message is given saying about the dependencies libraries missing, then I install them via yum, then gives the rpmbuild again, which generates some .rpm files at /usr/src/RPM/ I did this in a centOS 5 and centOS 6. Then install it in some servers.
I wonder if what I'm doing is correct ? (I read some tutorials over the internet only)
A friend of mine said that this is wrong, that this .rpm that I generate is like compile and will work only for servers with exactly hardware only, is that right ?
What is the correct way to build an .rpm package from .tar.gz file ?
A:
That's the correct way. It's the responsibility of the persons releasing the .tar.gz to have the proper rpm spec file, if it's meant to be built as an rpm. And that's how you build the rpm from the spec file.
The rpm files you generate that way can be installed on all matching servers, provided you have not deliberately done things that prevent them from working (like installing weird versions of the "dependencies", but if you have installed packages only from the centos base repositories, the packages will be good). But "matching" here means both centos/rhel version AND architecture. Architecture usually means just 32-bit or 64-bit x86, but there are also arm, powerpc and other architectures. For example, the Fedora project supports these architectures: https://fedoraproject.org/wiki/Architectures .
Anyway some rpms (architecture specific) can be installed on a certain architecture because they contain compiled code. Other rpms can be "noarch", which means the generated rpm can be installed on any architecture. This kind of rpms don't have compiled binaries in them, only data or interpreted language programs (shell, perl, python etc).
| {
"pile_set_name": "StackExchange"
} |
Q:
What is the voltage divider rule?
Can anyone explain what the voltage divider rule is? How has the author of this book used it for analyzing the Voltage Divider Bias circuit for transistors?
And can anyone explain how the two resistors are parallel? And how has the author assumed the battery to be a short circuit (as shown in Figure 4.28)?
Thanks a lot.
________________________________---
From above link:
A:
We are looking at an AC amplifier.
The DC part of the amplifier is only about setting up the Q-Point, or Working Point of the transistor.
Once that is determined, the actual AC workings can be looked at.
I would propose you get hold of a complete book on basic electronics. The text you showed us here expects quite a bit of knowledge in the reader.
But lets see how this works out:
Fig. 4.25: We describe the circuit.
Fig. 4.27: The step showing the DC Part of the input side
Fig. 4.28: What remains if we look at AC -> VCC is replaced with a shortcut. This is a way to calculate the internal resistance of the network we are looking at. This is only a hypothetical step in a mathematical technique.
"Applying the Voltage Divider Rule", meaning no other thing than "seeing how in 4.28 the Resistances are in parallel, we calculate the parallel resistance using the well known formula. But lets call it a rule".
This all happens expecting the reader knows how to apply the Thevenin Theorem, which doubtlessly was explained earlier in the book.
Fig. 4.29 Lets draw the resulting Network, showing the black box we are transforming.
Eq 4.30 Calculating Ib using the Theremin replacement, this also happens in DC.
Fig. 4.30 Two steps in this one: First, 4.29 is replaced by the appropriate Thevenin replacement. Secondly, it is applied to the base of the transistor.
Equation 4.31 has very little to do with the whole path so far, it is simply the summation of the voltages on the output side.
In fact, Msr. Thevenin was a French pioneer of electronics, read the Wikipedia article. He was not at all mentioned in my studies as an electrical engineer.
A:
(1) It MAY be of assistance to you to note that equation 4.29 in the above cited text COULD be called "the voltage divider rule" as it refers to R1, R2 and Vcc. ie changing what it says just slightly without changing the meaning:
Vout = Vin x R2 / (R1 + R2)
ie R1 & R2 form a voltage divider and the above equation defines a "rule" of the result.
BUT
(2) There IS NO "voltage divider rule" as such.
Even if somebody uses that term there is still no such rule.
BECAUSE the terminology is much too general.
That's even more general than saying eg "The Ohm's law rule"
where you at least have some guide.
If you have a specific question you should explain it clearly in words and not use general terms or few words or the real requirement is liable to be missed.
Added:
Re question:
Can you tell me how this 'rule' is derived? I'm a beginner so I didn't understand how he got the relation Vr2= (R2)(Vcc)/(R1+R2)
(1) Short answer.
Voltage across each resistor is proportional to current in it (Ohm's law).
As current in both resistors
= battery current
= the same
THEN the voltages across each resistor are proportional to their resistance value.
THIS IS THE KEY FACTOR THAT MAKES THIS WORK
Vout = Vr2 = ib x R2
Vcc = Vr1+Vr2 = ib x R1 + ib x R2 = ib x (R1 + R2)
So Vout / Vcc
= Vr2 / (Vr1 + VR2)
= ib x R2 / (ib x (R1 + R2) )
Cancel ib's
Vout/Vcc= R2/(R1 + R2)
Multiply both sides by Vcc.
Vout = Vcc x R2 / (R1 + R2)
QED.
(2) Longer answer.
You MUST know Ohms law.
If you don't know Ohms law and it's various re arrangements, stop reading this now, drop all lse and learn it. Wikipedia and Google know all about it N time over
... time lapse ... or no time at all as the case may be ...
So we know you know Ohm's law.
So - one version of Ohm's law says, as you know
V = i x R
ie the voltage drop across a resistor is equal to the value of the resistor multiplied by the current flowing in it.
Now look at fig 4-29
Take this circuit in isolation.
The current from the battery flows from B+ at the top left of R1, via R1, then via R2 and back to B- and the bottom left.
Look at the diagram and be SURE that you agree with the above.
Now, lets call the battery current Ib.
Call the current in R1 I_R1.
It can be seen "by inspection that I_R1 = Ib.
Call the current in R2 I_R2.
It can be seen "by inspection that I_R2 = Ib.
So I_R1 = IR2 = Ib.
ie the current is the same in each resistor and out of and into the battery.
Now, the voltage across R1 = VR1 is, based on Ohm's law = I_R1 x R1.
And, the voltage across R2 = VR2 is, based on Ohm's law = I_R2 x R2.
BUT I_R1 = Ib and IR2 = Ib.
So VR1 = I_R1 x R1 = Ib x R1
And VR2 = I_R2 x R2 = Ib x R2
The ratio of VR2 / VR1 = Ib x R2 / Ib x R1 = R2/R1
ie the voltages across the two resistors are proportional to their resistance values.
Look at the diagram.
Vbattery = Vcc
Vcc = the voltage across R1 + the Voltage across R2
Vcc = VR1 + VR2
Vcc = ib x R1 + ib x R2
Vcc = ib (R1 + R2)
So
To determine the ratio Vout / Vcc:
Vout / Vcc = V_R2 / Vcc
= ib x R2 / ib (R1 + R2)
but the ib's cancel so
Vout/ Vcc = R2 / (R1 + R2)
and rearranging
Vout = Vcc x R2 / (R1 + R2)
So the voltage across R2 compared to battery voltage = Vr2= (R2)(Vcc)/(R1+R2)
| {
"pile_set_name": "StackExchange"
} |
diarrhea
Health Care
5:40 pm
Mon July 8, 2013
New reports of illness are still coming in as Rhode Island Department of Health officials look into an outbreak of bloody diarrhea among people who swam in Spring Lake in Burrillville on July 4th. So far, 85 people have been reported ill, and nine admitted to the hospital, according to the department. But so far, there's no clue about what specifically made them sick. Water test results have not found any bacteria but the department is re-testing. Results from those tests and from patients' stool samples could provide more answers tomorrow. | {
"pile_set_name": "Pile-CC"
} |
When ds was around 3.5 he started cutting down a lot. At one stage he didn't ask to nurse for 2 weeks and just said no thanks when I offered. I honestly thought he'd weaned. 2 weeks after that he asked to nurse and kept on going regularly until just after he turned 4. About a month after his 4th birthday I noticed that he was starting to skip days again. Then he started to say that there was milk there, which I knew wasn't the case because I was nursing his baby sister at the time too. He'd get a bit of milk if he nursed alongside her, but on his own he'd say there was nothing, so I knew he was starting to lose the ability to nurse effectively.
I tried everything to help him because he's get a little frustrated about it, but nothing worked and gradually he started asking less and refusing more when I offered. Then when he was around 4y3m he just stopped asking altogether and gave me these really weird looks if I offered. I didn't think then that he'd definitely weaned because of our experience the previous year, but it turned out that he really had.
He did ask to nurse again about 3 months later and I said yes, but he didn't have a clue what to do! He tried to use my nipple like a straw. I did talk him through it that day, but he just couldn't do it at all. About a month after that, and for a couple of months thereafter, he asked to nurse, but it seemed like just knowing I'd say yes was enough because every time I said, "of course" and went to lift my shirt he'd laugh and say, "Not really."
So in short, I wouldn't think too much of it after a week of no nursing, but that is based purely on my experience of ONE weaning! lol
My 3yo dd hasn't weaned yet, but I can tell you that it's not uncommon for her to skip a day, a week, even 2 weeks without nursing. She nursed once a week routinely for about 6 months when I was pregnant. There have been a few times when I was just sure she'd weaned, and then she'd ask again!
I'm nursing my almost 2.5 yr old (almost 3yr old) and I had no idea that they would skip days/weeks of not nursing. Hmnn, my son did not nurse yesterday at all and went to sleep w/o nursing. This morning he nursed. I thought even 24 hours was a long time. Are they still getting milk at this age and does anyone know how much? I've just wondered this?
I'm nursing my almost 2.5 yr old (almost 3yr old) and I had no idea that they would skip days/weeks of not nursing. Hmnn, my son did not nurse yesterday at all and went to sleep w/o nursing. This morning he nursed. I thought even 24 hours was a long time. Are they still getting milk at this age and does anyone know how much? I've just wondered this?
In my case, she was probably not getting much milk anyway because I was pregnant when she started decreasing her nursing, and I think that's why she went down to only about once a week nursing. Now that I'm nursing her little sister, there is always milk, so it doesn't matter how long she skips! She's back to about once or twice a day now, but she does skip a day or two sometimes. She's very unpredictable about it! | {
"pile_set_name": "Pile-CC"
} |
Willie and Family Live
Willie and Family Live is a live album by country music artist Willie Nelson. It was released in 1978 as a double-LP. It was recorded live at Harrah's in Lake Tahoe, Nevada in April 1978. Emmylou Harris provides backup vocals on "Will the Circle be Unbroken", "Uncloudy Day" and "Amazing Grace"; Johnny Paycheck provides backup vocals on "Amazing Grace" and "Take this Job and Shove It".
Track listing
Side one
"Whiskey River" – 3:40
"Stay All Night (Stay a Little Longer)" – 3:24
"Funny How Time Slips Away" – 2:45
"Crazy" – 1:47
"Night Life" – 3:55
"If You've Got the Money (I've Got the Time)" – 1:44
"Mammas Don't Let Your Babies Grow Up to Be Cowboys" – 3:33
"I Can Get Off on You" – 2:06
Side two
"If You Could Touch Her at All" – 3:00
"Good Hearted Woman" – 2:57
"Red Headed Stranger Medley" 14:25
Incl:
"Time of the Preacher" - 2:13
"I Couldn't Believe It Was True" - 1:03
"Medley: Blue Rock Montana/Red Headed Stranger" - 2:40
"Blue Eyes Crying in the Rain" - 2:29
"Red Headed Stranger" - 4:31
4. "Under the Double Eagle" - 2:43
Side three
"'Til I Gain Control Again" – 5:59
"Bloody Mary Morning" – 3:33
"I'm a Memory" – 1:52
"Mr. Record Man" – 2:01
"Hello Walls" – 1:29
"One Day at a Time" – 2:05
"Will the Circle Be Unbroken" – 2:18
"Amazing Grace" – 5:12
Side four
"Take This Job and Shove It" – 2:52
"Uncloudy Day" – 3:40
"Only Daddy That'll Walk the Line" – 1:29
"A Song for You" – 2:43
"Roll in My Sweet Baby's Arms" – 1:56
"Georgia on My Mind" – 4:09
"I Gotta Get Drunk" – 1:22
"Whiskey River" – 2:42
"Only Daddy That'll Walk the Line" – 2:12
Chart performance
Notes
Category:1978 live albums
Category:Willie Nelson live albums
Category:Columbia Records live albums | {
"pile_set_name": "Wikipedia (en)"
} |
Bradykinin-mediated hypotension after infusion of plasma-protein fraction.
In patients who required volume expansion during extracorporeal circulation, the plasma bradykinin concentration was monitored simultaneously with the mean arterial pressure during infusion of either albumin solution or PPF. The PKA content of the PPF and the albumin solution was 29 and 3 U/L, respectively, measured spectrophotometrically. In six patients receiving 250 ml of PPF, the mean arterial pressure decreased 22% to 54% within 1.5 min after infusion, whereas the plasma bradykinin concentration, measured by radioimmunoassay, increased significantly (p less than 0.0005) during the first minute. In six patients receiving 250 ml of 4% albumin solution, no blood pressure changes were found, and the plasma bradykinin concentration rose only slightly. In vitro, linear correlation (r = 0.94, p less than 0.0005) was observed between the level of PKA of 26 different lots of PPF and the concentrations of bradykinin that were generated in Hageman factor-deficient plasma after incubation with PPF. It is concluded that the hypotensive reactions observed after PPF infusion during extracorporeal circulation are caused by the PKA-induced bradykinin generation. | {
"pile_set_name": "PubMed Abstracts"
} |
Federation of Hong Kong Industries
The Federation of Hong Kong Industries (FHKI; ) is a business organization for the industrial companies in Hong Kong established under the Federation of Hong Kong Industries Ordinance, of the laws of Hong Kong, in 1960.
Objectives
The objectives of the Federation are:
to promote and foster the interests of Hong Kong's industrial and business communities
to promote trade, investment, technological advancement, manpower development, and business opportunities in Hong Kong
to represent business's views and advise the government on policies and legislation which affect business
The General Committee is the Federation's policy-making and management authority, while the Secretariat is responsible for policy implementation and day-to-day operations.
References
Category:Chambers of commerce in Hong Kong
Category:1960 establishments in Hong Kong | {
"pile_set_name": "Wikipedia (en)"
} |
Hemilienardia hersilia
Hemilienardia hersilia is a species of sea snail, a marine gastropod mollusk in the family Raphitomidae.
Description
The length of the shell attains 3.5 mm, its diameter 1.7 mm.
(Original description) The small shell is ovate-pointed and contacted at the sutures and at the base. Its colour is dull-white, with an opaque white band at the back of the body whorl. The shell contains 7 whorls, of which three are apical. Sculpture:—The radials are discontinuous, vertical, moderately prominent ribs, which diminish at the sutures and vanish on the base, and are set at ten to a whorl. The spirals are prominent cords which override the ribs, four on the penultimate whorl and twelve on the body whorl. Of these the anterior five run across the snout and are beaded. The Apertureis sinuate. The varix is composed of a double rib, the free limb traversed by eight spirals and the edge armed by four tubercles, becoming larger as they ascend, the lowest double. The columella shows two deep-seated plications. The sinus and the siphonal canal are broad and shallow.
Distribution
This marine species is endemic to Australia and occurs off Queensland. It has also been found in the Western Indian Ocean.
References
Powell, A.W.B. 1966. The molluscan families Speightiidae and Turridae, an evaluation of the valid taxa, both Recent and fossil, with list of characteristic species. Bulletin of the Auckland Institute and Museum. Auckland, New Zealand 5: 1–184, pls 1–23
Wiedrick S.G. (2017). Aberrant geomorphological affinities in four conoidean gastropod genera, Clathurella Carpenter, 1857 (Clathurellidae), Lienardia Jousseaume, 1884 (Clathurellidae), Etrema Hedley, 1918 (Clathurellidae) and Hemilienardia Boettger, 1895 (Raphitomidae), with the description of fourteen new Hemilienardia species from the Indo-Pacific. The Festivus. special issue: 2-45.
External links
Gastropods.com: Hemilienardia hersilia
hersilia
Category:Gastropods described in 1922
Category:Gastropods of Australia | {
"pile_set_name": "Wikipedia (en)"
} |
1. Technical Field
The present invention relates generally to reactors, and more particularly to fabricating substrates that may be used in reactors.
2. Description of Related Art
Many reactions involving fluids (e.g., gases, liquids, and the like) use reactors. Many reactions are temperature dependent, and so a reactor (or zone within a reactor) may be required to have certain chemical, mechanical, thermal, and other properties at a temperature of interest to the reaction. Some reactions are performed at high temperatures (e.g., above 100 C, above 400 C, above 800 C, above 1100 C, or even above 1500 C), and so may require reactors having appropriate properties at the temperature of interest. Some reactions entail a heterogeneous reaction (e.g., involving a fluid and a surface).
Abatement of exhaust streams (e.g., from engines, turbines, power plants, refineries, chemical reactions, solar panel manufacturing, electronics fabrication, and the like) may include heterogeneous reactions. In some cases, the period of time during which a fluid interacts with a surface may affect the efficacy of a reaction. Certain reactions may benefit from increased contact times between a fluid and a substrate. Certain reactions may benefit from reduced contact times between a fluid and a substrate.
Some reactions proceed at practical rates at high temperatures. In some cases, an exhaust stream may provide heat that may heat a reactor (e.g., as in a catalytic converter on an automobile). Controlling both contact time (e.g., between a fluid and a reactor) and a temperature at which the reaction occurs may be challenging with typical reactor designs, particularly when heat transfer and mass transfer are not independently controlled.
Effective reaction (e.g., mitigation of a pollutant) may require a reactor design that maintains a desired temperature or range of temperatures over a certain volume or region having a certain surface area, notwithstanding that the primary source of heat to the reactor may be the exhaust stream. Such requirements may be challenging, particularly when mass transfer and/or reaction kinetics are at odds with heat transfer kinetics (e.g., from an exhaust stream to a reactor, or from the reactor to the environment).
The use of exhaust heat to maintain a reactor temperature may result in impaired performance under some conditions. For example, a catalytic converter may inefficiently decompose pollutants prior to having been heated to an appropriate temperature (e.g., when the vehicle is cold). A diesel particulate filter may require “regeneration” (e.g., the creation of a temperature and oxygen partial pressure sufficient to oxidized accumulated soot). Regeneration often requires heating the filtered soot to an oxidation temperature, which often relies on heat from the exhaust stream and/or heat from other sources. Regeneration may require electrical heating of a reactor. Some combinations of engines and duty cycles may result in contaminants (e.g., soot) reaching unacceptable levels before a mitigation system begins efficient operation (e.g., a soot filter may “fill up” before regeneration occurs.
Regeneration may require injection of a fuel and associated combustion heating beyond the motive heat associated with the working engine (e.g., direct injection of fuel into an exhaust stream). In some cases, the provision of regeneration heat (e.g., via electrical heating, post-injection, downstream injection, and the like) may decrease the overall efficiency of a system.
Some streams of fluids may be subject to a plurality of reactions and/or reactors. For example, a diesel exhaust mitigation system may include a diesel oxidation reactor (e.g., to oxidize CO and/or hydrocarbons), a particulate filter, and a reactor to remove NOx (oxides of Nitrogen). In some cases, these reactors are disposed in series, and so an exhaust system may include several components, each having an inlet and outlet, with the outlet of one component connected to the inlet of another component. Such systems may be complex and/or difficult to integrate.
In some cases, each component may require a separate mass and/or heat injection apparatus. For example, excess diesel fuel may be injected into an exhaust stream to create combustion at a diesel oxidation reactor in order to raise an inlet temperature of a particulate filter. A NOx reactor may require injection of a reductant, (e.g., urea, ammonia, Hydrogen, and/or other fuel) in order to facilitate a reaction at a certain temperature. A diesel particulate filter may benefit from NOx injection (e.g., to oxidize soot).
In some cases, latent heat and/or chemical species exiting a first reactor may not be efficiently utilized in a second “downstream” reactor, notwithstanding that the heat and/or species might be useful in the downstream reactor. In some cases, the heat and/or species exiting a first reactor must be controlled in such a way that performance of a downstream reactor is not inhibited. Improved reactor designs might provide for such control.
Many refractory substrates (e.g., catalytic converter, diesel particulate filter, and the like) are fabricated using extrusion. Such substrates often have long channels, with the “long” direction of the channels associated with the extrusion direction. The long direction may also be aligned with the flow of fluid through the substrate. As a result, reaction kinetics, heat transfer kinetics, fluid flow properties, and the like may be constrained by the method of fabrication of the substrate (e.g., extrusion). For example, a certain minimum residence time (associated with a reaction) may require a substrate having a minimum length, which may dictate an extruded substrate whose length is impractical for a given application.
For a typical filter (e.g., a diesel particulate filter, or DPF), filtration may preferentially begin at regions having higher fluid flow rates. In some cases, the deposition of particles may preferentially occur at the downstream end of a filter substrate, and so a particulate filter may “fill up” from the downstream end toward the upstream end.
A DPF may be “regenerated” by oxidizing filtered particles (e.g., filtered soot). Often, the downstream end of a DPF substrate may be cooler than the upstream end, and so regeneration of soot may require that the coolest part of the substrate reach regeneration temperatures. In certain applications, it may be advantageous to provide for preferential soot filtration at portions of the substrate that heat up faster than other portions. | {
"pile_set_name": "USPTO Backgrounds"
} |
custom pool builder Secrets
custom pool builder Secrets
The design was also produced inside a virtual 3D render which could be skilled just before the Establish.
We also offer upkeep and mend for current fountains. Like pools, fountains endure have on and tear as a result of transforming seasons, lifespan of your equipment and human interaction.
AEDs are essential emergency safety products for pools and spas. In a few regions of the place, pools are needed to have AEDs offered, together with AED-experienced lifeguards.
When you’ve lived in your residence for a protracted stretch of time or you merely bought a property that requires renovation, begin with incorporating an inground swimming pool!
Swimming pools are custom construction assignments and are crafted by quite a few specific trades and pool contractors with diverse specifications.
If you have any issues, our pool construction company in Atlanta and swimming pool contractor in Atlanta are here to reply your thoughts.
If the bottom isn’t amount on your own residence, you may not really have to do something to get your inground pool. Check with the builders about where by the pool could go and what dimensions and form could be best for your personal house.
The decking and coping for the pool go hand-in-hand. why not check here We meticulously set up the pool decking to mesh perfectly Using the coping encompassing your pool.
What tends to make them certified to create swimming pools? Look at the indicating, "If you believe the cost of an expert is expensive, wait till you employ the service of an Beginner."
tells us regarding the six effortless techniques for scheduling, creating and installing a playground at your assets. Trace: It’s not as tricky as you might think.
When there is debris like crops and trees in the best way of in which you want your pool to go, discover When the builders will clear it or for those who’ll have to find a method of getting it cleared oneself before they will begin setting up.
In the elegantly basic to your unique, a custom swimming pool crafted through the #one Pool Builder in Arizona will renovate your yard. Stop by the Pool Gallery to see just A few the thousands of samples of our pool construction do the job.
An unbalance or maintained fountain will probably be expensive to maintenance, so check with one among our destinations about services on your drinking water function.
In 2010, the American’s with Disabilities Act added laws for swimming pools. Currently, quite a few Attributes have ensured compliance by way of pool lifts and beach entries.
In the event you’re considering pool construction solutions or pool renovation solutions, you will find a few significant acronyms that characterize existing or approaching polices are your facility. Have a moment to browse by the information and Enable your pool Qualified know In case you have any inquiries. | {
"pile_set_name": "Pile-CC"
} |
Joan of France, Duchess of Brittany
Joan of France (; 24 January 1391 – 27 September 1433) was Duchess of Brittany by marriage to John V. She was a daughter of Charles VI of France and Isabeau of Bavaria.
Life
Joan married John V, Duke of Brittany in 1396. Three years after the wedding, her spouse became duke and she duchess of Brittany.
As duchess, Joan is perhaps most known for her role during the conflict between John V and the Counts of Penthièvre. The Penthièvre branch had lost the Breton War of Succession in the 1340s. As a result, they lost the ducal title of Brittany to the Montforts. The conclusion to the conflict took many years to confirm until 1365 when the Treaty of Guérande was signed. Despite the military loss and the diplomatic treaty, the Counts of Penthièvre had not renounced their ducal claims to Brittany and continued to pursue them. In 1420, they invited John V to a festival held at Châtonceaux. He accepted the invitation, but when he arrived, he was captured and kept prisoner.
The Counts of Penthiève then spread rumours of his death, and moved him to a new prison each day. Joan of France called upon all the barons of Brittany to respond. They besieged all the castles of the Penthièvre family one by one. Joan ended the conflict by seizing the dowager countess of Penthièvre, Margaret of Clisson, and forcing her to have the duke freed.
Joan died in 1433, during her husband's reign.
A Book of Hours by the Bedford Master, Heures Lamoignon, was dedicated to her.
Issue
She had seven children:
Anne (1409 – c. 1415)
Isabella (1411 – c. 1442), who in 1435 married Guy XIV of Laval and had 3 children with him.
Margaret (1412 – c. 1421)
Francis I (1414 – c. 1450), duke of Brittany
Catherine (1416 – c. 1421)
Peter II (1418 – c. 1457), duke of Brittany
Gilles (1420 – c. 1450), seigneur of Chantocé.
Ancestry
Sources
The original version of this page was a translation of :fr:Jeanne de France (1391-1433). From January 2013 the translation has been refined.
Category:1391 births
Category:1433 deaths
Category:House of Valois
Category:People of the Hundred Years' War
Category:French princesses
Category:Duchesses of Brittany
Category:14th-century Breton people
Category:14th-century French women
Category:15th-century Breton people
Category:15th-century French women | {
"pile_set_name": "Wikipedia (en)"
} |
In a shot ball game machine, such as a pachinko machine, predetermined game parts including a starting means, a pattern display means, and a big prize means are mounted in the game region of a game board. In playing a game, game balls are shot to the game region by shooting means. And, if a game ball is detected by the starting means, under the condition of this detection a plurality of patterns in the pattern display means are varied for a predetermined time, and whether a special game state is to be generated or not is decided on the basis of a random number obtained under the condition of this variation. If there is a decision to the effect that the special game state should be generated, a patterns after the variation is stopped in a particular manner, whereupon the special game state to open the opening/closing plate of the big prize means is generated. The big prize means closes the opening/closing plate when a predetermined time has passed since the opening or when a predetermined number of game balls win prizes during the opening. Further, under the condition that game balls pass through the particular region, the special game state, that is, the opening of the big prize means, is repeated predetermined times at a maximum.
Game moves taking place in the game board, including lottery or the like to decide whether or not such special game state is to be generated, are controlled by a main control circuit board stored in a main circuit board case on the back of the game machine main body. Therefore, if predetermined electronic parts including ROMs on the main control circuit board are dishonestly replaced by those which provide a higher probability of generation of the special game state or the like, the special game state can be easily generated.
Accordingly, the method heretofore employed is such that as the predetermined electronic parts including ROMs, those having intrinsic identification information, such as a serial number, applied thereto are used on the one hand and on the other hand after the main control circuit board having the predetermined electronic parts mounted thereon has been stored in the main circuit board case, the latter is sealed by a sealing means which, when opened, will leave a trace of opening. Thereby, if such sealing means are inspected in game parlors or the like, the presence or absence of a dishonest act can be decided, e.g., by the presence or absence of a trace of opening the sealing means, or by a difference in the intrinsic identification information on the electronic parts.
In assembling a pachinko machine or the like provided with a circuit board case disposed on the back of the game machine main body and having such main control circuit board stored therein, it is necessary for game machine makers to confirm and record the intrinsic identification information on the electronic parts and to reliably seal the main circuit board case by the sealing means.
In the prior art, however, since the intrinsic identification information on the electronic parts and the sealing state of the sealing means are visually confirmed by the operator in the inspection step subsequent to the assembling of a pachinko machine, there is a danger of omission of inspection or the like to overlook the state of the sealing means despite the fact that the sealing means has not sealed.
Further, in the case of confirming the intrinsic identification information on the electronic parts prior to sealing the main circuit board case and then sealing the main circuit board case by the sealing means, it cannot be absolutely denied that between the confirmation of the intrinsic identification information on the electronic parts and the sealing of the main circuit board case, there is a dishonest act, e.g., to open the main circuit board case to replace the main control circuit board by a new one and to let the latter read a dishonest intrinsic identification information.
With these prior art problems in mind, the invention has for its object the provision of a game machine circuit board case inspection method, and a game board or game machine inspection method, which are capable of reliably effecting the reading of intrinsic identification information applied to electronic parts on a control circuit board in a circuit board case and confirming the sealed state of a circuit board case and also capable of preventing a dishonest act, e.g., to replace electronic parts and let them read dishonest intrinsic identification information in an inspection step. | {
"pile_set_name": "USPTO Backgrounds"
} |