text
stringlengths 20
1.13M
| source_dataset
stringclasses 3
values |
---|---|
Field ionization of helium in a supersonic beam: kinetic energy of neutral atoms and probability of their field ionization.
High detection efficiency combined with spatial resolution on a nm-scale makes the field ionization process a promising candidate for spatially resolved neutral particles detection. The effective cross-sectional area sigma(eff) can serve as a measure for the effectiveness of such a field ion detector. In the present contribution, we combine quantum-mechanical calculations of the field-modified electron density distribution near the tungsten tip surface and of the resulting local field distributions, performed using the functional integration method, with a classical treatment of the atom trajectories approaching the tip in order to calculate the sigma(eff) values for ionization of free He atoms over an apex of a tungsten field emitter tip. The calculated values are compared with experimental data for supersonic He atomic beams at two different temperatures 95 and 298K. | Pile |
Futsal Fiesta 2015
Sombrero Club announces the 4th edition of its Indoor Soccer Tournament "Futsal Fiesta 2015" on Mar 21, 2015. This years tournament is scheduled to be held at the Brampton Soccer Club facility with 3 open soccer fields and loads of exciting soccer. | Pile |
Study of the mechanisms involved in hydroxocobalamin interference with determination of some biochemical parameters.
Hydroxocobalamin (OHCo), a red pigment used as an antidote in cyanide poisoning, interferes with determination of some biochemical parameters. Plasma pools were spiked with two concentrations of OHCo and eight parameters (CK, SGOT, SGPT, ALP, lactic acid, creatinine, glucose, bilirubin) were assayed using Dimension and Aca III automated analyzers (Du Pont Instruments). Two parameters were affected by the presence of OHCo: CK and bilirubin. This study documents the type of interferences, spectral or chemical, and its probable causes. | Pile |
Individualizing antihypertensive therapy with enalapril versus atenolol: the Zurich experience.
With the present increasing concern for compliance and quality or life during antihypertensive treatment, drug therapy tailored optimally for the individual patient is becoming increasingly important. The aim of the present double-blind crossover study was to analyse the individual as well as the group blood pressure response under enalapril and atenolol. Our results show that the group effects of these drugs did not differ significantly. However, individually, two-thirds of the responding patients showed a preference for either enalapril or atenolol. A response to one drug did not predict a comparable response to the other drug. We conclude that double-blind crossover studies are a possible way of individualizing antihypertensive treatment. However, no appropriate methodology or definitions of terms for these studies have yet been established. | Pile |
Q:
phpmyadmin 4 downgrade to 3
I'm looking for a way to downgrade my phpMyAdmin from version 4.0.5 to let say 3.5 or 3.6 or sth. like that. Does anyone know how to do it? Is it possible without losing all my databases.
A:
It's just a matter of installing version 3.5.8.2. Refer to http://docs.phpmyadmin.net/en/latest/setup.html#quick-install.
If you have not installed phpMyAdmin configuration storage tables that are specific to version 4, you have nothing else to do. Of course, it depends on the URL you are using to visit phpMyAdmin, and whether you installed version 4.0 by yourself or used a prepackaged installation.
I don't see why you would lose your databases by doing so.
| Pile |
A team led by UCLA researchers says it has developed a faster and more accurate way to determine where the many bacteria that live in, and on, humans come from. Broadly, the tool can deduce the origins of any microbiome, noted the scientists.
The new computational tool, called “FEAST,” reportedly can analyze large amounts of genetic information in just a few hours, compared to tools that take days or weeks. The software program could be used in health care, public health, environmental studies, and agriculture, according to the study (“FEAST: fast expectation-maximization for microbial source tracking”) published online in Nature Methods.
“A major challenge of analyzing the compositional structure of microbiome data is identifying its potential origins. Here, we introduce fast expectation-maximization microbial source tracking (FEAST), a ready-to-use scalable framework that can simultaneously estimate the contribution of thousands of potential source environments in a timely manner, thereby helping unravel the origins of complex microbial communities (https://github.com/cozygene/FEAST),” wrote the investigators.
“The information gained from FEAST may provide insight into quantifying contamination, tracking the formation of developing microbial communities, as well as distinguishing and characterizing bacteria-related health conditions.”
Knowing where microbial species come from and how these communities form can give scientists a more detailed picture of the unseen ecological processes that affect human health. The researchers developed the program to give doctors and scientists a more effective tool to investigate these phenomena.
The source-tracking program gives the percentage of the microbiome that came from somewhere else. It’s similar in concept to a census that reveals the countries that its immigrant population came from, and what percentage each group is of the total population.
For example, using the source-tracking tool on a kitchen counter sample can indicate how much of that sample came from humans, how much came from food, and specifically which types of food.
Armed with this information, doctors will be able to distinguish a healthy person from one who has a particular disease by simply analyzing their microbiome, explained UCLA’s Eran Halperin, PhD. Scientists could use the tool to detect contamination in water resources or in food supply chains.
“The microbiome has been linked to many aspects of human physiology and health, yet we are just in the early stages of understanding the clinical implications of this dynamic web of many species and how they interact with each other,” said Halperin, the study’s principal investigator who holds faculty appointments in the Samueli School of Engineering and in the David Geffen School of Medicine.
“There has been an unprecedented expansion of microbiome data, which has rapidly increased our knowledge of the diverse functions and distributions of microbial life,” Halperin added. “Nonetheless, such big and complex datasets pose statistical and computational challenges.”
Compared to other source-tracking tools, FEAST is up to 300 times faster, and is significantly more accurate, the researchers said.
Also, current tools can only analyze smaller datasets, or only target specific microorganisms that are deemed to be harmful contaminants. The new tool can process much larger datasets and offer a more complete picture of the microorganisms that are present and where they came from, said Halperin.
The researchers confirmed FEAST’s viability by comparing it against analyses of previously published datasets.
For example, they used the tool to determine the types of microorganisms on a kitchen counter and it provided much more detail than previous tools that analyzed the same dataset.
They also used the tool to compare the gut microbiomes of infants delivered by cesarean section to the microbiomes of babies who were delivered vaginally.
“My hope is that scientists will use FEAST to diagnose bacteria-related health conditions,” said UCLA computer science graduate student Liat Shenhav, the study’s first author. “For example, if a particular cancer has a microbial signature, FEAST can potentially be utilized for early diagnosis.” | Pile |
Q:
Nested for loops recursion
I looked up in many places and tried to understand how to get arbitrary number of nested for loops via recursion. But what I have understood is clearly wrong.
I need to generate coordinates in an n-dimensional space, in a grid-pattern. The actual problem has different coordinates with different ranges, but to get simpler things right first, I have used the same, integer-stepped coordinate ranges in the code below.
#include <iostream>
using namespace std;
void recursion(int n);
int main(){
recursion(3);
return 0;
}
void recursion(int n)
{
if(n!=0){
for(int x=1; x<4; x++){
cout<<x<<" ";
recursion(n-1);
}
}
else cout<<endl;
}
I want, and was expecting the output to be:
1 1 1
1 1 2
1 1 3
1 2 1
1 2 2
1 2 3
1 3 1
1 3 2
1 3 3
2 1 1
2 1 2
2 1 3
2 2 1
2 2 2
2 2 3
2 3 1
2 3 2
2 3 3
3 1 1
3 1 2
3 1 3
3 2 1
3 2 2
3 2 3
3 3 1
3 3 2
3 3 3
Instead, the output I'm getting is
1 1 1
2
3
2 1
2
3
3 1
2
3
2 1 1
2
3
2 1
2
3
3 1
2
3
3 1 1
2
3
2 1
2
3
3 1
2
3
I just can't figure out whats wrong. Any help to figure out the mistake or even another way to generate coordinates will be greatly appreciated. Thanks!
A:
Non-recursive solution based on add-with-carry:
#include <iostream>
using namespace std;
bool addOne(int* indices, int n, int ceiling) {
for (int i = 0; i < n; ++i) {
if (++indices[i] <= ceiling) {
return true;
}
indices[i] = 1;
}
return false;
}
void printIndices(int* indices, int n) {
for (int i = n-1; i >= 0; --i) {
cout << indices[i] << ' ';
}
cout << '\n';
}
int main() {
int indices[3];
for (int i=0; i < 3; ++i) {
indices[i] = 1;
}
do {
printIndices(indices, 3);
} while (addOne(indices, 3, 3));
return 0;
}
Recursive solution, salvaged from your original code:
#include <iostream>
#include <sstream>
#include <string>
using namespace std;
void recursion(int n, const string& prefix);
int main(){
recursion(3, "");
return 0;
}
void recursion(int n, const string& prefix)
{
if (n!=0) {
for(int x=1; x<4; x++){
ostringstream os;
os << prefix << x << ' ';
recursion(n-1, os.str());
}
}
else cout << prefix << endl;
}
| Pile |
Épercieux-Saint-Paul
Épercieux-Saint-Paul is a commune in the Loire department in central France.
Population
See also
Communes of the Loire department
References
Category:Communes of Loire (department) | Pile |
(function(window, undefined) {
'use strict';
var document = window.document;
var setTimeout = window.setTimeout; | Pile |
Use of a multiwell assembly for chemotaxis and evaluation by enzyme-linked immunosorbent assay (ELISA).
A multiwell chamber assembly for chemotaxis tests was designed, which integrates the established microtiter system. A microtiter plate is covered with a plastic plate containing up to 96 holes of the diameter of the microtiter wells. Between the plates, a Nucleopore filter sheet (5 micron) and a silicon rubber gasket is placed. As a model system, human monocytes and lymphocyte-derived chemotactic factors were used. As it was observed that monocytes migrate through the membrane and settle on the bottom of the microtiter wells, an ELISA was adapted for quantitation of cells. After washing and incubation with a xenoantiserum against human monocytes, the bound antibody was quantitated using protein-A-conjugated alkaline phosphatase and p-nitrophenyl phosphate as detection system. The plates were read in a multichannel photometer. Cell numbers were determined directly from a calibration curve established before with varying numbers of monocytes. Current experience allows the following conclusions: The chemotaxis test in microtiter plates is simpler, faster and uses less material than conventional Boyden chambers. Evaluation by ELISA is much faster and more accurate than by microscopy. | Pile |
Bitcoin now worth less than the cost to mine it
The production-weighted cash cost to create one bitcoin averaged around US$4 060 globally in the fourth quarter, according to analysts with JPMorgan Chase & Co.
With bitcoin itself currently trading below $3 600, that doesn’t look like such a good deal. However, there’s a big spread around the average, meaning that there are clear winners and losers.
Low-cost Chinese miners are able to pay much less — the estimate is around $2 400/bitcoin — by leveraging direct power purchasing agreements with electricity generators such as aluminium smelters looking to sell excess power generation, JPMorgan analysts led by Natasha Kaneva said in a wide-ranging 24 January report about cryptocurrencies spearheaded by Joyce Chang. Electricity tends to be the biggest cost for miners, needed to run the high-powered computer rigs used to process data blocks to earn bitcoin.
Even in extreme scenarios, such as a recession or financial crises, there are more liquid and less-complicated instruments for transacting, investing and hedging
“The drop in bitcoin prices from around $6 500 throughout much of October to below $4 000 now has increasingly pushed margins further and further negative for just about every region except low-cost Chinese miners,” the analysts said, offering the caveat that their cost estimates may be skewed to the high side due to spotty data and conservative efficiency assumptions. The cost figures exclude equipment.
With margins negative, it’s expected more high-cost producers will be forced to drop out, the analysts said. That hasn’t happened yet, and production shares of miners based in the Czech Republic, the US and Iceland have actually grown slightly over the past year or so, JPMorgan said.
If there is capitulation, the remaining miners may actually see their costs fall as they would win a greater share of bitcoins for the same amount of energy consumption. If only low-cost Chinese miners remain, the marginal cost could drop to less than $1 260/bitcoin, the analysts said.
Poor store of value
Meanwhile, price gyrations have also made bitcoin and other cryptocurrencies a fairly poor store of value, or even as a diversification hedge in portfolios, according to John Normand, head of cross-asset strategy with JPMorgan.
“Even in extreme scenarios, such as a recession or financial crises, there are more liquid and less-complicated instruments for transacting, investing and hedging,” Normand said in the report.
While bitcoin’s correlation over the past year with all other assets has been near zero, “low correlations have little value if the hedge asset itself is in a bear market”, Normand said. Bitcoin tumbled 74% last year, while the S&P 500 slid 6.2%.
“If the future indeed entails dystopia, then for consistency, investors and corporates should be making broader and deeper preparations beyond just acquiring cryptocurrencies,” he said. — Reported by Eric Lam, (c) 2019 Bloomberg LP | Pile |
1901 Wimbledon Championships – Ladies' Singles
Charlotte Sterry defeated Louisa Martin 6–3, 6–4 in the All Comers' Final, and then defeated the reigning champion Blanche Hillyard 6–2, 6–2 in the Challenge Round to win the Ladies' Singles tennis title at the 1901 Wimbledon Championships.
Draw
Challenge round
All Comers' Finals
Top half
Bottom half
References
External links
Ladies' Singles
Category:Wimbledon Championship by year – Women's Singles
Category:1901 in women's tennis
Category:1901 in British women's sport | Pile |
waste free
Did you know you can recycle things like pens, toothbrushes, wine corks, cosmetics packaging, CDs and USB drives? Read on as we show you how! While you can’t place these items in your kerbside recycling bin, to save you the worry of figuring out what to do with them, Biome can look after them...
Reusable straws: Your Guide to Single Use Plastic Straw Alternatives
Environmental groups say Australians use about 10 million straws every day, or 3.5 billion a year. And for such a small item that will only have a few minutes of use, their impact on the environment and one’s health is significant! But the good news is Biome has a solution. Whatever your drink, there is... | Pile |
Power-Assisted Liposuction Versus Tissue Resection for the Isolation of Adipose Tissue-Derived Mesenchymal Stem Cells: Phenotype, Senescence, and Multipotency at Advanced Passages.
Adipose tissue-derived mesenchymal stem cells (ASCs) can be isolated from subcutaneous fat harvested by tissue resection or liposuction. The authors compared ASCs isolated by tissue resection or power-assisted liposuction (PAL) to determine whether either surgical procedure yielded ASCs with improved purity and competence that was preserved for several passages. For this experimental study, ASCs were isolated from fat harvested by tissue resection or PAL from six patients who underwent abdominoplasty. ASCs were counted to determine cell yields, and viabilities were assessed with an amine-reactive dye and by fluorescence-activated cell sorting (FACS). Cell phenotypes were determined by immunostaining and FACS, and doubling times were calculated. Senescence ratios of the cells were detected by gene profiling and by assaying β-galactosidase activity. Multipotency was evaluated by induced differentiation analyses. No significant differences were observed in cell numbers or viabilities of ASCs isolated following either surgical method of fat harvesting. Both populations of cultured ASCs expressed markers of mesenchymal stem cells and preserved this expression pattern through the third passage. PAL and tissue resection yielded ASCs with similar division rates, similar senescence ratios into the fourth passage, and similar capacities to differentiate into osteocytes or adipocytes. Fat harvested by PAL or tissue resection yielded uniform cultures of ASCs with high division rates, low senescence ratios, and multipotency preserved into passages 3 and 4. Because PAL is less invasive, it may be preferable for the isolation of ASCs. | Pile |
Pros & Cons Of Window Curtains
Window treatments are an essential component of decorating a room. A bare window
can make a room feel barren, cold and without class. There are many options when
it comes to window treatments, with each one catering to different tastes,
requirements and budgets. The most common of these choices are blinds and window
curtains. Though blinds are also popular among many households in Singapore,
window curtains have taken the lead in popularity over the last few decades.
They are a cost effective and easy way to enhance the beauty of a room without
occupying extra space or making the room look cramped.
Widow curtains are available in various designs and shades and can blend well
into any room décor and upholstery. Though blinds are a modern form of widow
treatments, window curtains are classic and have a different charm altogether.
They make for an excellent and effective way to block sunlight and ensure
maximum privacy from the outside world.
Pros of widow curtains
Widow curtains are a cost effective way of giving any room a more artistic look.
By choosing an appropriate design and shade, you can make even the dullest of
rooms come alive and looking beautiful.
This form of window treatment is more effective in blocking out sunlight than
blinds which make the room feel hot, especially during those hot summer days.
Widow curtains also make the room warmer during winters than blinds. They give a
room a cozier look that adds an extra charm to your home.
Widow curtains also come in more designs than blinds. Though blinds are
available in various shades, white being the most common, most often than not
they are available in one solid color without much patterns or designs. Widow
curtains, on the other hand, are available in a variety of shades and come with
elegant and sophisticated patterns.
There's no chance of the functioning of curtains being damaged by kids playing
around whereas in blinds the opening and closing mechanism often gets damaged
and calls for extra maintenance.
Cons of widow curtains
Widow curtains take up more space than blinds which could make a small room look
even smaller. Having window curtains in rooms like the kitchen and bathroom make
them more susceptible to mould and stains.
The cleaning and maintaining of window curtains could be time consuming and a
tedious task. If these curtains are not cleaned regularly, it could lead to the
accumulation of dust. Moreover, cleaning widow curtains are far more expensive
than simply cleaning blinds with a wiper.
Widow curtains could be a real problem for households that have small, playful
children around. They could easily hide behind big window curtains, making it
difficult for their parents to find them.
All in all, widow curtains are by far the best option for households with
priorities like sun block, privacy and artistic look of a room coming first.
However, for those who don't like spending too much time and effort on cleaning
and maintenance, blinds could be a better option. It is always go to weigh in
the pros and cons of window curtains before coming up with a final decision. | Pile |
Meghan, Duchess of Sussex, has given birth to a baby boy. Her husband Prince Harry has told the media he was overjoyed to be a new father after the birth was announced.
Source: CNN | Pile |
Not to butt in JHC, but what makes you sure you need a new carburetor? Just asking, since we have people come in quite frequently asking to purchase a carburetor, thinking they have to go that far to fix their problem, when it can usually be fixed with an overhaul kit and a little time. Usually for about half of the cost of a new carburetor.
If you'd like, PM me your model,type and code from the engine, and I can PM you back a price on a new carburetor.
It is a B&S Twin II 16hp. Model 402707 Type 1225 Code 89111712. I have rebuilt the carb. When it went out the door, it was hard to start and seemed to be flooding out. I got it back in and just rebuilt the carb again and now it does not seem to get any fuel. I was planning on getting a new carb and fuel pump.
Thoughts? Prices? I can run out to Taylor and bring the carb/fule pump if you would like. Just give me your address. | Pile |
Q:
How to change strings in list into uppercase in Python 3.4.3?
When I'm trying add
[x.upper() for x in b]
nothing happened. I know that
x.upper()
is not intendef for lists, but maybe it can be somehow do. It's not my homework.
import random
a = ["po", "ko", "do", "to"]
b = ["ab", "cd", "ef", "gh"]
[x.upper() for x in b]
def ran():
for i in range(0,1):
random.shuffle(a)
print(a[0], "\n", a[1], "\n", a[2], "\n", a[3])
for y in range(0,1):
random.shuffle(b)
print(b[0], "\n", b[1], "\n", b[2], "\n", b[3])
A:
The statement
[x.upper() for x in b]
would just return a new list.
You must assign it to some variable as
b = [x.upper() for x in b]
| Pile |
Endothelial dysfunction and arterial abnormalities in childhood obesity.
Rates of overweight and obesity in both adults and children have risen sharply during the past 20 years. The reasons for this escalation in obesity are not fully determined, however, sedentary lifestyle and dietary changes in combination with genetic predisposition are probably involved. Clinical cardiovascular disease, including myocardial infarction and stroke, are usually only manifest in the fifth decade of life or beyond. However, the earliest physical signs of atherosclerosis, the underlying disease process that leads to these events, may be present from early childhood. There are now a variety of noninvasive tests used to assess both the structural and functional properties of the vasculature and in vivo changes suggestive of 'early atherosclerosis' have now been characterised. These have allowed not only an increased understanding of the atherosclerotic changes to the vasculature that accompany overweight and obesity in children, but have also allowed serial study of the effects of diet and exercise interventions on early atherosclerosis changes, in childhood obesity. | Pile |
Q:
How can I display nested records on activeadmin?
So far I have two models, user and profile
Class User < ActiveRecord::Base
has_one :profile
accepts_nested_attributes_for :profile
Class Profile < ActiveRecord::Base
belongs_to :user
On my active admin model
form do |f|
f.inputs "User" do
f.input :email
#code to get the profile data
end
f.action :submit
end
So I want to get the profile data on the user form I have tryed couple of things but I wasn't able to get them.
A:
Something like
f.inputs 'Profile', :for => [:profile, f.object.profile || Profile.new] do |profile_form|
profile_form.input ...
...
end
inside the f.inputs "User" block should work. Just set up the attributes of Profile inside this block using profile_form.
| Pile |
Onion News Network
Publishers of Time magazine announced
that they'll soon be releasing a new version
of their magazine for adults.
Readers who grew up loving the magazine's
bright glossy photos,
news by the numbers and simple
to understand stories,
will now be able to graduate
to Time Advanced.
Instead of Time's Breezy,
kid friendly summaries,
Advanced boasts a more mature tongue,
aimed at an audience ready for grown up news.
While kids love Time for it's fun articles
about litter and new kinds of dinosaurs,
managing editor Kerry Larson
explained that Time Advanced,
will look to distinguish itself with
carefully researched, long form journalism,
in a smaller adult sized font.
Time is and always will be
a magazine for children.
Time Advanced however is for
more sophisticated readers,
who prefer book reviews that don't just tell
you whether to read, skim or toss
that newest book on climate change.
Educators have long praised Time
for making current events accessible
for kids with short attention spans
and growing vocabularies.
Building on that reputation,
while producing content,
fit for readers old enough to drive a car,
will be key to the new venture's success.
I used to think Time was cool,
but I guess I kind of grew out of it.
I mean none of my friends want to read
a bunch of out of touch trend pieces
about virginity pledges.
Time is my favorite.
They always talk about Lady Gaga
and the changing pace
of depression in America.
Larson assured loyal fans that regular Time
remain committed to fun journalism for kids,
with all of the colorful info boxes,
and leads stories about how
Taylor Swift is one the hundred people
who most effect our world.
But the company's change
in focus to adult news,
has led to some shake ups
at the children's publication.
Richard Sherman who has written columns,
as the beloved children's character,
Joe Klein,
is leaving the magazine to join the cast
of the PBS show Dragon Fly TV.
In other news, the FDA has grudgingly
approved drinking more,
as a cure for morning hangovers.
Still ahead
this hour
Michelle Bachmann to star
in congress spin-off
| Pile |
Levels of IL-17F and IL-33 correlate with HLA-DR activation in clinical-grade human bone marrow-derived multipotent mesenchymal stromal cell expansion cultures.
Multipotent mesenchymal stromal cell (MSC)-based medicines are extensively investigated for use in regenerative medicine and immunotherapy applications. The International Society for Cell and Gene Therapy (ISCT) proposed a panel of cell surface molecules for MSC identification that includes human leukocyte antigen (HLA)-DR as a negative marker. However, its expression is largely unpredictable despite production under tightly controlled conditions and compliance with current Good Manufacturing Practices. Herein, we report the frequency of HLA-DR expression in 81 batches of clinical grade bone marrow (BM)-derived MSCs and investigated its impact on cell attributes and culture environment. The levels of 15 cytokines (interleukin [IL]-1β, IL-4, IL-6, IL-10, IL-17A, IL-17F, IL-21, IL-22, IL-23, IL-25, IL-31, IL-33, interferon-γ, soluble CD40 ligand and tumor necrosis factor-α) were determined in sera supplements and supernatants of BM-MSC cultures. Identity, multipotentiality and immunopotency assays were performed on high (>20% of cells) and low (≤20% of cells) HLA-DR+ cultures. A correlation was found between HLA-DR expression and levels of IL-17F and IL-33. Expression of HLA-DR did neither affect MSC identity, in vitro tri-lineage differentiation potential (into osteogenic, chondrogenic and adipogenic lineages), nor their ability to inhibit the proliferation of stimulated lymphocytes. Out of 81 batches of BM-MSCs for autologous use analyzed, only three batches would have passed the ISCT criteria (<2%), whereas 60.5% of batches were compliant with low HLA-DR values (≤20%). Although a cause-effect relationship cannot be drawn, we have provided a better understanding of signaling events and cellular responses in expansion culture conditions relating with HLA-DR expression. | Pile |
Throwing the weight issue out of the way, how big could we make a telescope before the light from the center would be too quick for the light from the edges to travel to the focuser and make an image distorted? Or could this even be an issue and I am just making a fool out of myself?
How about the size of the moon. We actually used it to observe the sun with I think the Hubble, for the Venus transit.
So the moon is the reflector and the Hubble the eyepiece.
I have a design, carved into the side of a mountain thats a mile in dia.
Very interestingconcept! But of course, you would have to have everything aligned perfectly. And if you messed your focal length up by a few nanometers you could have your focal point 100 miles too far or too close. But in theory, it would work.
No, if you messed up your focal length by a few nanometers, your focal point would be only a few nanometers out.
AIUI, the use of the moon during the Venus transit was not for imaging - rather it was to allow a spectrographic analysis of the diffuse reflected light so that any changes due to atmospheric absorption in Venus's atmosphere could be measured.
Regarding imaging, there is no upper limit to the size a true, perfect paraboloidal mirror. It will phase all light perfectly together at its on-axis focal point, whether its aperture is 2 meters or 2 light-years. Interesting issues come up for a 2 light-year diameter mirror, however. You'd have to refocus on nearer stars relative to, say, quasars. That would add in a little spherical aberration. You'd also have to be careful at or near focus, as the full energy radiated from the star toward the 2 light-year paraboloid would be present (neglecting reflection losses, of course) | Pile |
The Pre-Game Show
To make things a bit more interesting, the test is split into two parts:
will test the speed of each against table table
will test the speed of each against regular “string” data
The assumption here is there will be no race conditions or multi-threaded calls to this SQL code. This is just a straight up, head-to-head test.
To ensure SQL Server didn’t keep any queries (or anything for that matter) cached, the following code was run before each test:
SQL to clear cache/buffers
Transact-SQL
1
2
3
4
5
6
7
8
9
10
checkpoint
go
DBCCDROPCLEANBUFFERS
go
DBCCFREESESSIONCACHE
go
DBCCFREEPROCCACHE
go
DBCCFREESYSTEMCACHE('ALL')
go
Two tables are created, and populated. The primary keys are the same. Three columns in each table will hold the exact same data, but:
one will have a clustered index
another will have a non-clustered index
the third will have no index
just to see if they have any effect on performance.
Create temp tables
Transact-SQL
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
--create temp table to hold all generated data
IFOBJECT_ID('tempdb..#table1')ISNOTNULL
DROPTABLE#table1
CreateTable#table1
(
idintidentity(1,1),
aGuiduniqueidentifiernotnull,
aClusteredIndexedColumnvarchar(900)notnull,
aNonClusteredIndexedColumnvarchar(900)notnull,
thecountintnotnull,
aNonIndexedColumnvarchar(900)notnull
)
--create temp table to hold test results
IFOBJECT_ID('tempdb..#table2')ISNOTNULL
DROPTABLE#table2
CreateTable#table2
(
idintnotnull,
matchedDatavarchar(900)notnull
)
--create the indexes
printCAST(GETDATE()asvarchar)+' Started creating temptable indexes.'
CREATECLUSTEREDINDEXIDX_clON#table1 (aClusteredIndexedColumn)
CREATENONCLUSTEREDINDEXIDX_nonclON#table1(aNonClusteredIndexedColumn)
CREATENONCLUSTEREDINDEXIDX_idON#table1(id)
printCAST(GETDATE()asvarchar)+' Finished creating temptable indexes.'
A query is done using each function to search for a particular string inserted within a UniqueIdentifier (guid). The results are inserted into the secondary table to make sure we have the same number of results for each test.
Look Who Owned It!
CHARINDEX is clearly the undisputed king when it comes to querying a table column looking for a value. The 2 of the other 3 didn’t even come close in speed for me to acknowledge them as “competition”. I expected LIKE to do better, especially on index columns, but was quite surprised by CHARINDEX’s domination.
When it comes to searching a varchar/string variable, LEFT/RIGHT commanded the top spot.
In a nutshell, when you need to search for a substring at the beginning or end of data:
when performing a query against a table column, use CHARINDEX
when searching within a @varchar string variable, use LEFT/RIGHT
I’ve left you the SQL code below, so feel free to use it as a basis for conducting your own performance benchmarks.
Leave a comment below and share the knowledge if you have any suggestions or other ways of doing this! | Pile |
Q:
Can any protein be phosphorylated?
I am working with an Arabidopsis mutant with an F-box protein knocked out. It has been shown that F-box proteins targets must first be phosphorylated (Skowrya et al., 1997). I have heard of phosphorylation sites, but I can't find out whether every protein has them. Can any protein be phosphorylated?
Skowyra, D., Craig, K.L., Tyers, M., Elledge, S.J. & Harper, J.W. (1997) F-Box Proteins Are Receptors that Recruit Phosphorylated Substrates to the SCF Ubiquitin-Ligase Complex. Cell. 91 (2), 209–219.
A:
Phosphorylation can occur on specific amino acids only, what you have called phosporylation sites. These amino acids are Ser, Tyr, Asp, Thr and His. In theory any of these amino acids may be phosphorylated, but in reality it may not actually occur for a number of reasons. Some of these are because of the change in overall charge of the protein which can influence the 3D conformation, or the amino acids are not accessible to specific kinases, etc. If you ask for the purposes of doing a Western blot, then the antibody specification sheet should indicate whether a phosphorylated form exists and there should be a reference to the literature describing this modification.
A:
One important thing is missing in the other answers: not only phosphorylation will happen only at selected aminoacids, but it will not happen at all of those.
So, not all of the Ser/Thr/Tyr of a protein can be phosphorylated because they could be structurally unaccessible to protein kinase and because they need to be in a specific motif in order to be phosphorylated.
The Human Protein Reference Database, for instance, lists the phosphorylation motifs for many Tyr and Ser/Thr kinases.
A:
Phosphorylation requires exposed serine, threonine, tyrosine, or histidine residues (in eukaryotes). This is because the transfer of phosphate groups to proteins is mediated by a class of proteins called kinases. Kinases can have broad or specific activity.
This review ought to have most of the answers to your questions :
http://www.cell.com/abstract/S0092-8674(06)01274-8
| Pile |
/*
Copyright 2017 The Kubernetes Authors.
Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
You may obtain a copy of the License at
http://www.apache.org/licenses/LICENSE-2.0
Unless required by applicable law or agreed to in writing, software
distributed under the License is distributed on an "AS IS" BASIS,
WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
See the License for the specific language governing permissions and
limitations under the License.
*/
package internalversion
import (
metav1 "k8s.io/apimachinery/pkg/apis/meta/v1"
"k8s.io/apimachinery/pkg/fields"
"k8s.io/apimachinery/pkg/labels"
"k8s.io/apimachinery/pkg/runtime"
)
// +k8s:deepcopy-gen:interfaces=k8s.io/apimachinery/pkg/runtime.Object
// ListOptions is the query options to a standard REST list call.
type ListOptions struct {
metav1.TypeMeta
// A selector based on labels
LabelSelector labels.Selector
// A selector based on fields
FieldSelector fields.Selector
// If true, watch for changes to this list
Watch bool
// allowWatchBookmarks requests watch events with type "BOOKMARK".
// Servers that do not implement bookmarks may ignore this flag and
// bookmarks are sent at the server's discretion. Clients should not
// assume bookmarks are returned at any specific interval, nor may they
// assume the server will send any BOOKMARK event during a session.
// If this is not a watch, this field is ignored.
// If the feature gate WatchBookmarks is not enabled in apiserver,
// this field is ignored.
AllowWatchBookmarks bool
// resourceVersion sets a constraint on what resource versions a request may be served from.
// See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for
// details.
ResourceVersion string
// resourceVersionMatch determines how resourceVersion is applied to list calls.
// It is highly recommended that resourceVersionMatch be set for list calls where
// resourceVersion is set.
// See https://kubernetes.io/docs/reference/using-api/api-concepts/#resource-versions for
// details.
ResourceVersionMatch metav1.ResourceVersionMatch
// Timeout for the list/watch call.
TimeoutSeconds *int64
// Limit specifies the maximum number of results to return from the server. The server may
// not support this field on all resource types, but if it does and more results remain it
// will set the continue field on the returned list object.
Limit int64
// Continue is a token returned by the server that lets a client retrieve chunks of results
// from the server by specifying limit. The server may reject requests for continuation tokens
// it does not recognize and will return a 410 error if the token can no longer be used because
// it has expired.
Continue string
}
// +k8s:deepcopy-gen:interfaces=k8s.io/apimachinery/pkg/runtime.Object
// List holds a list of objects, which may not be known by the server.
type List struct {
metav1.TypeMeta
// +optional
metav1.ListMeta
Items []runtime.Object
}
| Pile |
917 N.E.2d 639 (2006)
363 Ill. App.3d 1203
TAYLOR TEXTBOOKS, INC.
v.
TRITON COLLEGE.
No. 1-04-3903.
Appellate Court of Illinois, First District
February 21, 2006.
Dismissed.
| Pile |
Making screen captures is quick and easy, and you can use the resulting images in lots of different ways. You can illustrate something to your students in a lecture or discussion, use them for computer-related tutorials, and use them in your research.
“I have an important teleconference tomorrow at 9 a.m. Can you come by at 8:30 to get me set up? No, I’ve never used this system before.” That’s the phone call of my nightmares. Because, as I say to everyone who will listen, video teleconferencing is about 5% technology and 95% best practices. And the best best practice is practice — in the environment where the event will take place, under similar circumstances.
I was pleasantly surprised at the depth of the “issues” coverage offered in Time’s recent cover article on online education, especially given its attention-seeking headline “College is Dead. Long Live College!” I really didn’t expect it to have as much information as it did that would be of real interest to educators and .edu geeks in general. However the author, Amanda Ripley, took the time to enroll in a few MOOC-style classes, and some of the things that struck her are the same ones I’ve been thinking about when it comes to producing e-learning. In this post, read about a few highlights that struck me as particularly pertinent.
Cued-up audio files of film commentary are becoming more popular. Independently recording audio commentary for a film avoids copyright issues and could let you provide students with pre-recorded information they can listen to along with an assigned film. In this post, Kim talks about the ways that the idea of independent audio commentary could help instructors use media in the classroom. | Pile |
Google's CEO Sundar Pichai has responded to the EU's antitrust fine regarding Android. The blog post is exactly what you'd expect - a lot of fluffy language about how amazing Android is and how it helps little kids pet bunnies and all that stuff, with remarkably little substance. There's really no actual reply to the three core claims in the EU ruling, which makes the response rather weak.
One part stood out to me though.
The phones made by these companies are all different, but have one thing in common - the ability to run the same applications. This is possible thanks to simple rules that ensure technical compatibility, no matter what the size or shape of the device. No phone maker is even obliged to sign up to these rules - they can use or modify Android in any way they want, just as Amazon has done with its Fire tablets and TV sticks.
This hits at the core of the ruling, because according to the EU, established through years of research and verifiable through leaked copies of the agreements Google signs with Android device makers, the very problem is that Android bans Android device makers from making or shipping Android devices that do not use Google's version of Android. Pichai seems to claim here that that's not true, but this is something that ought to be easily verifiable, and I doubt the EU would hand down this fine if the agreements between Android device makers and Google didn't clearly specify this.
We'll have to wait and see if Google can substantiate all of this, because if not, Pichai just flat-out lied in an official statement from the company. | Pile |
Getting pregnant at a young age can make you deal with so many problems. These problems could be physical, mental and emotional.
Due to the lack of proper awareness and education, some teens face pregnancy at a very young age and that’s what happened to Sue Radford. Sue Radford is the mother of Britain’s Biggest Family and recently she revealed in an interview that she was just 13 years old when she first got pregnant.
The mother of Britain’s Biggest Family and recently she revealed in an interview that she was just 13 years old when she first got pregnant.
The 43 years old mother now reveals about the time when Noel got her pregnant when he was 18 years of age. Noel is now her husband and they are both happily married with 21 kids! That’s right, the couple got 21 kids together and is still counting. And well, that’s made them the parents of Britain’s biggest family.
She said, the time when Noel got her pregnant when he was 18 years of age.
Sue Radford was just a school going girl when she had her first baby. Their first child was a girl whom they named Sophie. Noel was five years senior from Sue Radford and was legally allowed to be a father. But Sue wasn’t.
Sue Radford was just a school going girl when she had her first baby. Their first child was a girl whom they named Sophie
Noel was five years senior from Sue Radford and was legally allowed to be a father. But Sue wasn’t.
After the birth of their first child, they had other twenty children on the row too.
And their huge family is now Britain’s biggest family but what becomes the most controversial phenomenon of their family is the fact that she got pregnant at such a young age.
And their huge family is now Britain’s biggest family but what becomes the most controversial phenomenon of their family is the fact that she got pregnant at such a young age. When children are supposed to go to school and complete their education, Sue was having a child at that time.
Source: noonecares
Thaopham
Got a story for us? Need to tell us about something amazing you’ve seen or done? Want us to
investigate something? Get in touch! | Pile |
Limit switches are electro-mechanical devices. The contacts are
mechanically linked to an actuator. By combining different types of
actuators, casings and contacts, our limit switches are perfectly
suited to a large variety of applications whatever the environment. | Pile |
Some conservative broadcasters, Sen. Ted Cruz and others have suggested that Gov. John Kasich should get out of the race for the Republican nomination for president. But Kasich's supporters are willing and happy to continue, win or lose, because we are on the right side in the race.
Some conservative broadcasters, Sen. Ted Cruz and others have suggested that Gov. John Kasich should get out of the race for the Republican nomination for president. But Kasich�s supporters are willing and happy to continue, win or lose, because we are on the right side in the race.
I and others were committed to Kasich when he polled at 1 percent because we know he is the best candidate for president and best by a lot. We live in Ohio and it has been a minor miracle what has happened here.
Get Donald Trump to drop out instead. He is the person hellbent on destroying the Republican Party and the United States of America.
The Kasich team is playing by the rules, and win or lose, we continue to do so. The Trump team is figuratively threatening to burn down the Republican Party if it does not get its way.
Even if elected president, Trump will destroy the United States anyway, because America will never be great again when it as divided as Trump will leave it.
Kasich, the campaign and donors and volunteers attempt to live up to the best ideals America ever aspired to. Anyone who fought with Kasich when he polled at 1 percent was never in it to win; we are in it because it was the right thing to do.
We will not quit until it is over.
Tom Hwang
Columbus | Pile |
# Copyright 2020 Google LLC
#
# Licensed under the Apache License, Version 2.0 (the "License");
# you may not use this file except in compliance with the License.
# You may obtain a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# See the License for the specific language governing permissions and
# limitations under the License.
FROM gcr.io/fuzzbench/base-image
# This makes interactive docker runs painless:
ENV LD_LIBRARY_PATH="$LD_LIBRARY_PATH:/out"
ENV AFL_MAP_SIZE=900000
ENV PATH="$PATH:/out"
ENV AFL_SKIP_CPUFREQ=1
ENV AFL_I_DONT_CARE_ABOUT_MISSING_CRASHES=1
| Pile |
Cognition, but not sensation, mediates age-related changes in the ability to monitor the environment.
The objective of the study was to determine which age-related changes in sensation and cognition are associated with age-related changes in the ability to monitor the environment. To that end, a proxy measure of the ability to monitor the environment (useful field of view, UFOV) and measures of sensation and cognition were collected from young adult (N = 61) and older adult subjects (N = 79). Although UFOV performance was expected to be mediated primarily by cognition rather than by sensation, it was somewhat unexpected to find no reliable associations between UFOV and sensory functioning beyond those of age and cognition. | Pile |
General hospital stars dating real life
25 days ago, 2019 / Teen
Created by Frank and Doris Hursleythe serial premiered on April 1, Alexis was devastated after witnessing morgan dating in real life soap couples. Now this real-life couple is an american actor. Chad lewis duell born september. You may struggle with identifying with the name Billy Miller but, Jason Morgan is definitely a name you can easily relate to.
A personal and professional life is something that a celebrity never wants to blend. Apr 5, General Hospital: 5 Real Life Couples – Fame Emma & Spencer Hospital Tv Shows, General Hospital, Soap Opera Stars, Soap Stars. Kelly Monaco is a world-renowned model and soap opera actress.
The notoriously press shy Billy Miller and Kelly Monaco are rarely seen in photos outside of the occasional soap fan event so this was a real treat. General Hospital fans are always looking for the hottest new couple on the show, and sometimes they get more than they thought they might get. Not. She has been portrayed by actress Kelly Monaco since the character's debut on October 1,
Dustin Cushman. Apr 29, Even amid the high drama of daytime TV, these couples fell in love on set. Herbst met on the set of General Hospital and were married in Vincent Van Patten and Real Housewives of Beverly Hills star Eileen. Get our free email alerts on the shows, topics and the author of this article. | Pile |
Trump’s Washington D.C. Hotel Might Be A Conflict Of Interest
NBC News reported Wednesday that the Trump International Hotel in Washington, D.C., may very well be a conflict of interest for President Trump. The five-star hotel, situated only five blocks away from the White House, could potentially pose a legal threat to the president.
According to public filings obtained by NBC News, foreign governments, federal agencies, and political allies of Trump have spent a considerable sum of money at the D.C. hotel.
The plaintiffs in a lawsuit filed against Trump shortly after the election claim that the president’s hotel is a constitutional violation, “which includes emoluments clauses designed to keep officials from profiting from their positions or being influenced by gifts or benefits from foreign powers.” This first lawsuit was filed just after the Kuwait, Bahrain, and Azerbaijan governments held meetings and events at the very same hotel.
During the fiscal year of 2017, the president accumulated $40 million in revenue from the Trump International Hotel, according to his financial disclosure forms. His daughter Ivanka, on the other hand, gained a profit of $3.9 million.
However, Federal Election Commission (FEC) filings indicate that federal agencies, Republican organizations, and foreign governments have spent a substantial amount of money at the hotel since Trump was elected and inaugurated.
According to a thorough analysis of the FEC filings, “PACs and Republican campaigns have spent more than a million dollars at the hotel.” Various lobbyists, religious groups, and even the Turkish American Business Council have all held meetings and spent a considerable sum there, although it is still unknown exactly how much each individual organization spends. Foreign dignitaries from Russia, Jordan, Lebanon, and Malaysia have also spent both time and money at the D.C. hotel.
Furthermore, federal agencies have spent tens of thousands of dollars of taxpayer money at the Trump hotel. Several FOIA requests have revealed that “more than $29,000 of which were spent by the Department of Defense. Almost $12,000 was spent by the Department of Agriculture, more than $9,000 by the Internal Revenue Service, and more than $1,700 was spent by the General Services Administration (GSA), which oversees the lease with the Trump Organization.”
Chip Somodevilla/Getty Images
In June 2017, Connecticut Senator Richard Blumenthal and hundreds of other congressional Democrats sued the president for violating the emoluments clause of the Constitution, which expressly states that the POTUS cannot accept payments from any foreign governments. After Trump then proceeded to donate all of his businesses’ revenue to the Treasury in February, Blumenthal referred to his $151,470 donation as a “sham.”
The Trump Organization fired back, however, issuing a letter to Blumenthal, stating, “Moreover, if the Trump Organization has been unable, after considerable effort, to identify other foreign government patronage revenue that revenue could not possibly serve to curry favor with or otherwise influence the President of the Administration.” | Pile |
A Microarray Study of Articular Cartilage in Relation to Obesity and Severity of Knee Osteoarthritis.
Objective To query the transcript-level changes in the medial and lateral tibial plateau cartilage in tandem with obesity in patients with end-stage osteoarthritis (OA). Design Cartilage was obtained from 23 patients (20 obese [body mass index > 30 kg/m2], 3 overweight [body mass index < 30 kg/m2]) at the time of total knee replacement. Cartilage integrity was assessed using Outerbridge scale, while radiographic changes were scored on preoperative X-rays using Kellgren-Lawrence (K-L) classification. RNA was probed for differentially expressed transcripts between medial and lateral compartments using Affymetrix Gene 2.0 ST Array and validated via real-time polymerase chain reaction. Gene ontology and pathway analyses were also queried. Results Scoring of cartilage integrity by the Outerbridge scale indicated that the medial and lateral compartments were similar, while scoring by the K-L classification indicated that the medial compartment was more severely damaged than the lateral compartment. We observed a distinct transcript profile with >50% of transcripts unique between medial and lateral compartments. MMP13 and COL2A1 were more highly expressed in medial versus lateral compartment. Polymerase chain reaction confirmed expression of 4 differentially expressed transcripts. Numerous transcripts, biological processes, and pathways were significantly different between overweight and obese patients with a differential response of obesity on medial and lateral compartments. Conclusions Our findings support molecular differences between medial and lateral compartments reflective of the greater severity of OA in the medial compartment. The K-L system better reflected the molecular results than did the Outerbridge. Moreover, the molecular effect of obesity was different between the medial and lateral compartments of the same knee plausibly reflecting the molecular effects of differential biomechanical loading. | Pile |
Q:
How to access JavaScript object other members data whilst iterating over array in handlebars each statement
I have a JavaScript object like this
Object {all: Array[5], cattype: "sometype"}
My question is, how to write cattype in the code below
I do this
{{#each all}}
<li><a href="#{{cattype}}/{{ id }}" >{{{title}}}</a></li>
{{/each}}
This code is working, just cattype is not written. Outside {{#each}} it's working of course.
Thank you very much for your attantion ! :)
A:
I found solution
{{../cattype}}
solved my problem
| Pile |
ZangZing Unveils Group Photo-Sharing for People Who Don’t Like Photo-Sharing - donofrip
http://www.nytimes.com/external/venturebeat/2011/04/26/26venturebeat-zangzing-unveils-group-photo-sharing-for-peop-8916.html?ref=start-ups
======
donofrip
sign up for beta here: <http://www.zangzing.com/#!227-Yrving-T-Santa-Cruz-CA>
| Pile |
Q:
Exchange Web Services - The response received from the service didn't contain valid XML
I am attempting to connect to exchange web services (ews) on a exchange 2010 server. Here is the code I am using:
using System;
using System.Collections.Generic;
using System.Text;
using Microsoft.Exchange.WebServices.Data;
namespace NDR_Processor
{
class Program
{
static void Main(string[] args)
{
ExchangeService service = new ExchangeService(ExchangeVersion.Exchange2010_SP1);
service.Credentials = new System.Net.NetworkCredential("redacted", "redacted", "redacted");
service.Url = new Uri("https://exchange.redacted.net/EWS/Exchange.asmx");
System.Net.ServicePointManager.ServerCertificateValidationCallback = delegate { return true; };
FindItemsResults<Item> findResults = service.FindItems(WellKnownFolderName.Inbox, new ItemView(1000));
foreach (Item item in findResults.Items)
{
Console.WriteLine(item.Subject);
Console.WriteLine(item.Body);
}
}
}
}
However in doing so I get an error stating "The response received from the service didn't contain valid XML.". The inner exception indicates: {"Data at the root level is invalid. Line 1, position 1."}
I've tried hitting https://exchange.redacted.net/EWS/Exchange.asmx in a web browser, it prompts me to login and then I am presented with a valid XML document as far as I can tell. So I am at a loss as to why my application is choking.
Does anyone have any ideas for why this might be happening or how I can solve it?
Thanks
Brad
A:
service.Url = new Uri("https://mail.tencent.com/EWS/Exchange.asmx");
Details info is here: c# programmatically reading emails from the Exchange server
A:
I was experiencing the same issue as described in the following forum post: http://social.technet.microsoft.com/Forums/en-US/exchangesvrdevelopment/thread/e54c217f-28ff-4626-8ce8-a1242081f4d1/
(Essentially extra characters were being pre-pended and appended to the xml returned causing the error above)
If its any help - deleting and re-creating EWS virtual directory did not alleviate the problem.
I believe that perhaps our F5 load balancer or some intermediary device is inserting extra characters at the beginning or end of the XML.
When I changed my code to:
service.Url = new Uri("https://192.168.x.x/EWS/Exchange.asmx");
(Essentially using the internal IP address of our exchange server) the request worked just fine. So something outside of exchange is mangling the XML.
| Pile |
The paper critically scrutinizes the widespread idea that Russell subscribes to a "Universalist Conception of Logic." Various glosses on this somewhat under-explained slogan are considered, and their fit with Russell's texts and logical practice examined. The results of this investigation are, for the most part, unfavorable to the Universalist interpretation. | Pile |
Control of surface charges by radicals as a principle of antistatic polymers protecting electronic circuitry.
Even minute quantities of electric charge accumulating on polymer surfaces can cause shocks, explosions, and multibillion-dollar losses to electronic circuitry. This paper demonstrates that to remove static electricity, it is not at all necessary to "target" the charges themselves. Instead, the way to discharge a polymer is to remove radicals from its surface. These radicals colocalize with and stabilize the charges; when they are scavenged, the surfaces discharge rapidly. This radical-charge interplay allows for controlling static electricity by doping common polymers with small amounts of radical-scavenging molecules, including the familiar vitamin E. The effectiveness of this approach is demonstrated by rendering common polymers dust-mitigating and also by using them as coatings that prevent the failure of electronic circuitry. | Pile |
Q:
Date picker scrolls to past date, even though minimum date is set to current date
Strange behavior in iOS 6.1 I have set the minimum date to current date for my date picker like this
NSDate *currentTime = [NSDate date];
[picker setMinimumDate:currentTime];
But when I run the app I am able to scroll to past date, though its not selected, picker doesn't jump back to current date. It's happening only with iOS 6.1 version and in rest picker is behaving normally.
A:
I got the same issue as you and fixed it with only setting the date to the maximum date manually (in this case I set the limit to the current date):
- (IBAction)pickerValueChanged:(id)sender {
dispatch_async(dispatch_get_main_queue(), ^{
UIDatePicker *datePicker = (UIDatePicker *)sender;
if ([self.datePicker.date compare:[NSDate date]] == NSOrderedDescending) {
datePicker.date = [NSDate date];
}
});
}
This function is triggered when the date value from the date picker did change. you can set a maximum or minimum value here.
| Pile |
Follow Fringe
Fringe Episode Preview: A Return from the Grave
That's the main question/theory espoused by our critic in her review of this week's Fringe return, as "Back To Where You've Never Been" earned a strong 4.8 rating and a heaping of praise from fans around the country.
What's next? Look for the Fringe division to face a powerful adversary on this Friday's "Enemy of My Enemy," one that is back from the grave and at his most dangerous. How so? Get your first look at the episode via the following Fox preview: | Pile |
Q:
Can subscribing to events with anonymous lamba in static method cause memory leak?
My understanding is that it is always the subscriber (consumer) of an event that is in risk of being leaked (if the producer lives longer). If I subscribe to an (non-static) event with an anonymous lambda function inside a static method, I should not have to unsubscribe if I want the lambda to live as long as the producer lives?
There is a variant of the question (Does lambda event subscription create memory leak?) with this answer, quoting:
Additionally, that lambda expression isn't using any variables from this, so it would probably be implemented by a static method with no target anyway... I assume the real situation you're concerned with has a more interesting lambda body.
I interpret this to mean that you might have to unsubscribe if the lambda expression is using variables from the target (this), but in a static method, this does not exist, hence the question.
The specific code i'm thinking of comes from this answer (see below). The comments to that answer suggests that you have to unsubscribe to avoid memory leaks, but is this really true? What is being leaked exaktly? Another answer to the same question that tried to handle unsubscription, actually added a potential memory leak instead (by storing the eventhandlers in a static dictionary that might not be cleaned up).
private static void BindableColumnsPropertyChanged(DependencyObject source, DependencyPropertyChangedEventArgs e)
{
DataGrid dataGrid = source as DataGrid;
ObservableCollection<DataGridColumn> columns = e.NewValue as ObservableCollection<DataGridColumn>;
// There should be no need to unsubscribe to e.OldValue?
dataGrid.Columns.Clear();
if (columns == null)
{
return;
}
foreach (DataGridColumn column in columns)
{
dataGrid.Columns.Add(column);
}
// This event handler will not keep the columns alive, and the lambda will only be alive as long as the columns is alive?
columns.CollectionChanged += (sender, e2) =>
{
NotifyCollectionChangedEventArgs ne = e2 as NotifyCollectionChangedEventArgs;
if (ne.Action == NotifyCollectionChangedAction.Reset)
{
// Clear dataGrid.Columns
...
}
else if (ne.Action == NotifyCollectionChangedAction.Add)
{
// Add to dataGrid.Columns
...
}
else if (ne.Action == NotifyCollectionChangedAction.Move)
{
...
}
else if (ne.Action == NotifyCollectionChangedAction.Remove)
{
...
}
else if (ne.Action == NotifyCollectionChangedAction.Replace)
{
...
}
};
}
A:
Considering the answer you referenced and the comment about the leak, you have to note the following.
There is an object of type ObservableCollection<DataGridColumn> in a viewmodel. In WPF, viewmodels might live longer than their views (e.g. you can switch different views for the same viewmodel or you can keep your viewmodel alive the whole time and only display the corresponding view when needed, think of a hideable tool window, for example).
That viewmodel object gets an event subscription with a lambda:
columns.CollectionChanged += (sender, e2) => { /* ... */ };
The lambda itself captures a view element - the dataGrid:
// lambda body
{
// ...
dataGrid.Columns.Clear();
}
Now, you have a strong reference chain: columns -> lambda object -> dataGrid.
That means - the dataGrid object will live as long as the columns object is alive. As noted above, this is a viewmodel object and it can live the whole time the app is running. Thus, the dataGrid will continue to live even if the corresponding view is not visible anymore and has no other references.
That is the leak they talk about.
| Pile |
Cadmium sulphide (CdS) nanotechnology: synthesis and applications.
Over the past few years there has been sustained interest in the synthesis, characterization and application of cadmium sulphide (CdS) nanostructures such as nanoparticles, nanowires, nanobelts, nanospheres. The history of CdS, more recent advances in the chemistry and synthesis of CdS nanostructures, and their application as nanoscale devices in diverse technology areas from electronics to targeted drug delivery is described. Although the focus is on CdS, the review provides an excellent overview of the materials, methods, processes and promising solutions that are emerging. | Pile |
package com.cc.hybrid.http
import okhttp3.OkHttpClient
import java.util.concurrent.TimeUnit
internal object HttpRequestUtil {
private val TAG = "HttpRequestUtil"
var okHttpClient: OkHttpClient
init {
val builder = OkHttpClient.Builder()
.connectTimeout(10, TimeUnit.SECONDS)
.retryOnConnectionFailure(true)
.readTimeout(10, TimeUnit.SECONDS)
.writeTimeout(10, TimeUnit.SECONDS)
okHttpClient = builder.build()
}
} | Pile |
Register for 4 more free articles.
Dale County Sheriff Wally Olsen, right, briefs the media at the Dale County hostage scene in Midland City, Ala. on Wednesday, Jan. 30, 2013. A gunman holed up in a bunker with a 6-year-old hostage kept law officers at bay Wednesday in an all-night, all-day standoff that began when he killed a school bus driver and dragged the boy away, authorities said. (AP Photo/Montgomery Advertiser, Mickey Welsh) Photo by MBO | Pile |
Post-cataract prevention of inflammation and macular edema by steroid and nonsteroidal anti-inflammatory eye drops: a systematic review.
Favorable outcome after cataract surgery depends on proper control of the inflammatory response induced by cataract surgery. Pseudophakic cystoid macular edema is an important cause of visual decline after uncomplicated cataract surgery. We compared the efficacy of topical steroids with topical nonsteroidal anti-inflammatory drugs (NSAIDs) in controlling inflammation and preventing pseudophakic cystoid macular edema (PCME) after uncomplicated cataract surgery. Patients undergoing uncomplicated surgery for age-related cataract. We performed a systematic literature search in Medline, CINAHL, Cochrane, and EMBASE databases to identify randomized trials published from 1996 onward comparing topical steroids with topical NSAIDs in controlling inflammation and preventing PCME in patients undergoing phacoemulsification with posterior chamber intraocular lens implantation for age-related cataract. Postoperative inflammation and pseudophakic cystoid macular edema. Fifteen randomized trials were identified. Postoperative inflammation was less in patients randomized to NSAIDs. The prevalence of PCME was significantly higher in the steroid group than in the NSAID group: 3.8% versus 25.3% of patients, risk ratio 5.35 (95% confidence interval, 2.94-9.76). There was no statistically significant difference in the number of adverse events in the 2 treatment groups. We found low to moderate quality of evidence that topical NSAIDs are more effective in controlling postoperative inflammation after cataract surgery. We found high-quality evidence that topical NSAIDs are more effective than topical steroids in preventing PCME. The use of topical NSAIDs was not associated with an increased events. We recommend using topical NSAIDs to prevent inflammation and PCME after routine cataract surgery. | Pile |
Los venezolanos manejaron con bastante comodidad el relato político desde la llegada de Hugo Chávez al poder, pero, con la asunción de Nicolás Maduro, la versión oficial de los hechos se tornó casi una narración de realismo mágico. El último episodio fue insólito: en un facsímil digital del Acta de la Independencia de Venezuela, de 1811, le agregaron la firma del fallecido ex presidente para elevarlo a la categoría de “prócer”, y documentar así su omnipresencia en la vida del país.
La famosa Acta se halla en el museo de la Casa de las Primeras Letras Simón Rodríguez, incorporada a un sistema interactivo que se utiliza como recurso didáctico dirigido especialmente a los chicos.
Si uno accede al facsímil puede ver abajo la firma de Chávez en tinta roja, conocida por los venezolanos como “la rabo e cochino” (sic), por el dibujo que traza. Ese documento tiene un enorme valor histórico porque declara la independencia venezolana de la Corona Española y establece una nueva nación basada en principios republicanos y federales, bajo valores de igualdad de los individuos, absoluta libertad de expresión y la prohibición de la censura.
“Es un homenaje, un reconocimiento porque consideramos a Hugo Chávez como otro prócer de la independencia, otro hombre que luchó por la independencia de Venezuela y merece como cualquier otro venezolano tener su firma allí”, justificó Alejandro López, director del museo, citado por el sitio Tal Cual digital. Reconoció que la firma del ex mandatario se agregó a comienzos de abril, con Maduro en el poder, y explicó que no hay ninguna modificación del acta original, ya que se trata de una copia.
El particular “homenaje” de las autoridades venezolanas a Chávez generó rechazo en un amplio sector del país, que lo interpretó como una falta de respeto a los padres fundadores de la nación. A las pocas horas de conocerse la información, hubo una catarata de comentarios en los diarios on line y en las redes sociales.
“Insólito: agregan a escondidas firma de Chávez al Acta de la Independencia”, escribió un docente, en un mensaje que fue retuiteado un centenar de veces. “Lo que nos faltaba, la firma de Chávez en el Acta”, completaba otro, mientras a su lado un joven preguntaba irónico, “¿Cuántos otros documentos habrán firmado así?”.
Las redes se pusieron al rojo vivo en poco tiempo: “Sólo un culto a la personalidad enfermiza es capaz de semejante sacrilegio”, “Por Dios, qué les pasa, jamás habíamos caído tan bajo”. Así, uno tras otro, se multiplicaron las críticas en Facebook y Twitter. | Pile |
Danish defense minister steps down in blow to new government
COPENHAGEN (Reuters) - Denmark's defense minister resigned on Tuesday after weeks of media criticism of appointments he made in his former role as head of the administrative region of Southern Denmark.
Carl Holst's resignation is seen as a blow to liberal Prime Minister Lars Lokke Rasmussen, who took over from Social Democrat Helle Thorning-Schmidt three months ago.
"Holst assessed that the turbulence related to his earlier service as chairman of the region, which is still unresolved, would be overshadowing his work as defense minister," Rasmussen told Danish broadcaster TV2.
Rasmussen said it was Holst's decision to step down, and that he expected to appoint a new defense minister on Wednesday.
Danish media has accused Holst of using funds from the region of Southern Denmark to hire a personal public relations advisor to help him with campaigning ahead of the June 18 election. He had also been criticized for continuing to receive payment from the region after he started work as defense minister.
"Holst's personal matters had become a strain to the government, and right now the government has been shaken," politics professor at Aarhus University Rune Stubager said.
Rasmussen won a slim majority in the June election with the support of the Danish People's Party, whose scepticism toward the European Union and immigration gave it its best result in a parliamentary election. | Pile |
2018 Thurrock Council election
The 2018 Thurrock Council elections took place on 3 May 2018 to elect members of Thurrock Council in England. Councillors in 16 out of the 20 electoral wards were be up for election. The council remained under overall control, with a minority Conservative administration running the council.
On 26 January 2018, all sitting UKIP councillors resigned from the party and formed a new opposition group called Thurrock Independents.
On 13 March 2018, Basildon UKIP announced that they had taken over responsibility for the 6 East Thurrock wards and are now called UKIP Basildon and Thurrock Branch.
Before the elections, there was a by-election held in Ockendon which resulted in a Conservative gain after a tie and drawing of lots.
Council Composition
Going into the election, the composition of the council was:
After the election, the composition of the council was:
Election Results
Comparisons for the purpose of determining a gain, hold or loss of a seat, and for all percentage changes, is to the last time these specific seats were up for election in 2014.
Ward Candidates
All percentage changes are versus 2014, the last time the comparable set of wards were fought.
Holds / Gains are given against control of ward going in to the 2018 elections.
Aveley & Uplands
† Percentage change calculated from the 2014 Aveley & Uplands by-election at which Aker was elected (as a UKIP candidate). He subsequently defected from the UKIP group on Thurrock council and formed Thurrock Independents, although he still sits as a UKIP MEP.
Belhus
No UKIP candidate as previously (-49.6%).
† change calculated from the 2014 election when Baker was originally elected (as a UKIP candidate).
Chadwell St Mary
Note no UKIP as previously (-39%), no Lib Dem as previously (-2%)
Grays Riverside
Note no UKIP candidate as previously (-34%)
Grays Thurrock
Note no UKIP candidate as previously (-36%)
Little Thurrock Blackshots
Note no UKIP candidate as previously (-39%)
Little Thurrock Rectory
Note no UKIP candidate as previously (-32%)
Ockendon
Note no UKIP as previously (-46%)
Orsett
South Chafford
Note no UKIP as previously (-26%)
Stanford East & Corringham Town
Stifford Clays
The Homesteads
a. Gary Byrne stood as an independent in the 2016 election for the same seat, achieving 12.5% of the vote. The change in this table is calculated from this result, though he is now a candidate for the Thurrock Independents.
Tilbury Riverside & Thurrock Park
Note no UKIP candidate as previously (-36%)
Tilbury St Chads
Note no UKIP candidate as previously (-42%)
West Thurrock & South Stifford
Note no UKIP candidate as previously (-34%)
References
Category:2018 English local elections
2018 | Pile |
Vinjerock
Vinjerock is a rock festival 1060 meters above sea level, at Eidsbugarden in the Jotunheimen area in southern Norway. Approximately 15 rock bands play at this festival on the first weekend in August each year.
The festival was arranged for the first time on 4 and 5 August 2006, with artists as Dumdum Boys, Thomas Dybdahl, Minor Majority and The Blackbirds on stage. In 2007 artists like BigBang, Sivert Høyem, Adjágas and Blood, Sweat & Tears played at the festival.
Vinjerock got its name from the famous Norwegian poet, Aasmund Olavsson Vinje, who built the first cabin at Eidsbugarden, and gave the surrounding mountains their name, Jotunheimen.
There was not a festival in 2011. To allow the grounds to be expanded thus protecting the vulnerable mountain nature of the area, the organizers received funds in 2008 earmarked the establishment of a park on the banks if the river Bygdin. A festival was due to take place between 19 - 21 July 2012.
References
External links
Vinjerock
Category:Music festivals in Norway
Category:Rock festivals in Norway
Category:Recurring events established in 2006
Category:2006 establishments in Norway
Category:Jotunheimen | Pile |
Q:
Change table name in linked table in Access
I'm trying to change the name of a table in Access. I've gone to the link manager and gone through that process. It will change to the Server I put it, but it never changes the Table name (Highlighted in yellow).
A:
It seems your goal is to change the linked TableDef's SourceTableName, but I doubt that is possible. Attempting to do it triggers error #3268:
Cannot set this property once the object is part of a collection.
So I think you will have to create a new linked TableDef with the Connect property from the old link and your new SourceTableName value and Append that to the TableDefs collection.
Const cstrOldName As String = "dbo_tblFoo2"
Dim db As DAO.Database
Dim tdfOld As DAO.TableDef
Dim tdfNew As DAO.TableDef
Set db = CurrentDb
Set tdfOld = db.TableDefs(cstrOldName)
tdfOld.Name = cstrOldName & "_old" ' rename the old link
Set tdfNew = db.CreateTableDef
With tdfNew
.Name = cstrOldName
.Connect = tdfOld.Connect
.SourceTableName = "dbo.Dual"
End With
db.TableDefs.Append tdfNew
| Pile |
HER2-positive breast cancer: beyond trastuzumab.
The outlook for patients with HER2-positive breast cancer was revolutionized by the development of trastuzumab (Herceptin), a humanized murine monoclonal antibody. Use of this agent led to improved overall survival when it was added to chemotherapy for the treatment of metastatic breast cancer. Improved understanding of mechanisms of resistance to trastuzumab has facilitated the development of novel agents for HER2-positive breast cancer, and also resulted in superior outcomes when added to chemotherapy in the adjuvant setting. This review explores the use of several such agents, including lapatinib (Tykerb), HSP90 inhibitors, T-DM1, and other tyrosine kinase inhibitors. Emerging data from trials of these agents indicate that the HER2 pathway remains a valid therapeutic target following disease progression on trastuzumab, and suggest a promising role for combined HER2 blockade with two or more agents. | Pile |
Q:
Return a variable from a function to a view
I am a newbie in laravel 4 and want to return, when pressing a button, a value from a controller to the view.
My form view:
{{ Form::submit('Save', array('class' => 'btn btn-small btn-info iframe')) }}
<?php
echo $test;
?>
My Controller:
<?php
class TestController extends BaseController {
/**
* Start scrapping script.
*/
public function postTest() {
$scrap = 'It works!';
return View::make ( 'admin/test/index' )->with('test', $test);
}
}
My routes:
Route::post('test', 'TestController@postTest');
However, I get:
Undefined variable: test(View: C:\xampp\htdocs\laravel_project\lara\app\views\admin\test\index.blade.php)
Any recommendations what I am doing wrong?
I appreciate your answer!
UPDATE
I now changed my controller like that:
public function getIndex() {
// Show the page
return View::make ( 'admin/test/index' );
}
public function postTest() {
$test = 'It works!';
return View::make ( 'admin/test/index' )->with('test', $test);
}
}
and added to my routes file:
Route::get('test', 'TestController@getIndex');
Route::post('test', 'TestController@postTest');
Route::controller('test', 'TestController');
Furthermore, when calling:
{{ $test}}
I get Undefined variable: $test
Any recommendations what I am doing wrong?
A:
You should change in your controller:
return View::make ( 'admin/test/index' )->with('test', $test);
to:
return View::make ( 'admin/test/index' )->with('test', $scrap);
Now you are getting undefined warning because there is no $test variable in controller.
And in Blade view, you should display it using:
{{ $test }}
or
{{{ $test }}}
(the second one for escaping characters) and not <?php echo $test; ?>
| Pile |
[Progress in epidemiological research on relationship between psychological and social factors and stroke].
Stroke has caused a heavy disease burden across the world, and it has become a worldwide public health problem. Several studies have assessed the relationship between psychological and social factors and risk of stroke so far. This paper summarizes the progress in epidemiological research on the relationship between psychological and social factors (depression, psycho-social stress, anxiety, loneliness, psychological distress, social support, social isolation, and social network) and the risk for stroke, the results of these studies were inconsistent. Most studies showed an association between these factors and the incidence of stroke, but there were still some studies showing no such association. | Pile |
The talk hosted by the Fordham Center for Religion and Culture in New York was titled "A Moral Economy," but there was a larger topic overshadowing the presentation by Joseph Cardinal Tobin – the immorality of clerical sexual abuse.
"It's the elephant in the room," Tobin told the overflow crowd of 400 people at the Jesuit school's Lincoln Center campus last week.
He compared the scenario to what it would be like to deliver the same talk one week after 9/11. But, he promised, "the truth will come out and it will lead to healing and the restoration of trust."
He could not say as much about the economy.
Tobin's starting point was Pope Francis' apostolic exhortation "The Joy of the Gospel." In it, Francis writes that "growth in justice requires more than economic growth." He specifies a better distribution of income, more sources of income and -- the kicker -- an "integral promotion of the poor." That is, the economy has to alleviate poverty.
"This alarms many that clerics are meddling" in the economy to advocate for socialism, Tobin said.
Actually, the state of the economy today reveals that fewer people own more of the wealth with poverty on the rise.
"We must give witness in the public square and the marketplace," Tobin said, adding that Christian faith has a public dimension with a clear social context.
Tobin described Francis' themes as prophetic, pastoral and priestly.
"He wants a radical social change on the existential periphery of life," Tobin said.
He told a story of a black friend from decades ago when Tobin was a young priest giving Cursillos, a retreat program, in Detroit. The man asked Tobin if he loved him and Tobin said, of course. He then asked Tobin, "Is it because I am black?" Tobin replied, "I don't ever see that." "That's my point," the man said.
Today, Tobin said, we choose not to see the poor or those on the periphery "for who they are." Francis wants the church to minister to those people.
Francis believes in the common good and that work is noble, gives people dignity and allows them to support their families, Tobin said.
Sachs credited the Catholic church for its papal teachings from the late 19th century until today with Pope Francis' "Laudato Si" on climate change.
"There is no other place in global society to tell us things that we will not hear," said Sachs, who acknowledged that he never studied ethics in any of his schooling.
President Trump, whom he called a "psychopath," withdrew from the Paris Peace Accords because the Republican Senate is in the hands of the oil lobby, Sachs charged. Indeed, Sachs said, U.S. capitalism has one goal: "to go out and get wealthy."
"Greed is not good for the soul," he said. Yet, the bottom line of every corporation has to be earnings or it will fail. So Francis' concern for the poor is foreign to business and that's where Tobin called for "a revolution of tenderness."
In the Q&A that followed, moderator Christine Emba of The Washington Post asked the audience to think about one thing they could do once they left the auditorium to bring about a just, moral economy.
Since it was a nice evening, I decided to walk from Lincoln Center down Broadway to the 33rd Street PATH to see how many poor people I could spot. At 8 p.m., that stretch of Manhattan was hopping.
I saw a poor woman wearing a long-sleeve sweatshirt emblazoned with "MONMOUTH UNIVERSITY" just standing and staring at Columbus Circle. A bold beggar in Times Square just yelled, "Give one penny. One penny!" People with signs sat on the ground. People rifled through garbage for recyclables. Many more poor could be seen around Madison Square Garden.
Yet there seem to be even more beggars per square block in Hoboken than in New York City.
What Supreme Court nominee Brett Kavanaugh said earlier that day in his Senate hearing was relevant. From his Jesuit education and Catholic faith, he has volunteered to help the poor. Something for all of us to consider.
Note: Cardinal Tobin, archbishop of Newark, is to lead a prayer service at the Cathedral Basilica of the Sacred Heart in Newark on Friday, Sept. 14, the Feast of the Exaltation of the Holy Cross, beginning at 7:30 p.m. Attendees are invited to gather in prayer, recognition and hope for the victims of clergy abuse, for their families, for the accused, and for the church. | Pile |
Antibodies that bind to polypeptides expressed on the surface of cancer cells have proven to be effective anti-cancer therapies. Such antibodies act through various mechanisms including, for example, activation of antibody-dependent cell-mediated cytotoxicity (ADCC); induction by the antibody of complement-dependent cytotoxicity (CDC); enhancement of cytokine release; and induction of apoptosis. See, e.g, Cardarelli et al. (2002) Cancer Immunol. Immunother. 51:15-24. For example, HERCEPTIN® and RITUXAN® (both from Genentech Inc., South San Francisco, Calif.) are antibodies that have been used successfully to treat breast cancer and non-Hodgkin's lymphoma, respectively. HERCEPTIN® is a recombinant DNA-derived humanized monoclonal antibody that selectively binds to the extracellular domain of the human epidermal growth factor receptor 2 (HER2) proto-oncogene. HER2 protein overexpression is observed in 25-30% of primary breast cancers. RITUXAN® is a genetically engineered chimeric murine/human monoclonal antibody directed against the CD20 antigen found on the surface of normal and malignant B lymphocytes. Both these antibodies are recombinantly produced in CHO cells. HERCEPTIN® appears to act, at least in part, by inhibiting angiogenesis (Izumi et al. (2002) Nature 416:279-280), and RITUXAN® appears to act, at least in part, by inducing apoptosis (Cardarelli et al. (2002) Cancer Immunol. Immunother. 51:15-24).
Immunoconjugates, or “antibody-drug conjugates,” are useful for the local delivery of cytotoxic agents in the treatment of cancer. See, e.g., Syrigos et al. (1999) Anticancer Research 19:605-614; Niculescu-Duvaz et al. (1997) Adv. Drug Deliv. Rev. 26:151-172; U.S. Pat. No. 4,975,278. Immunoconjugates allow for the targeted delivery of a drug moiety to a tumor, whereas systemic administration of unconjugated cytotoxic agents may result in unacceptable levels of toxicity to normal cells as well as the tumor cells sought to be eliminated. See Baldwin et al. (Mar. 15, 1986) Lancet pp. 603-05; Thorpe (1985) “Antibody Carriers Of Cytotoxic Agents In Cancer Therapy: A Review,” in Monoclonal Antibodies '84: Biological and Clinical Applications (A. Pinchera et al., eds.) pp. 475-506. Immunoconjugates that target cell surface polypeptides have been and continue to be developed for the treatment of cancer. For review, see, e.g., Hamann et al. (2005) Expert Opin. Ther. Patents (2005) 15:1087-1103.
It is clear that there is a continuing need for agents that target cell surface polypeptides for diagnostic and/or therapeutic purposes. The invention described herein meets this need and provides other benefits.
All references cited herein, including patent applications and publications, are incorporated by reference in their entirety. | Pile |
THE TEA-KETTLE, STAND, TEAPOT, SUGAR-BOWL AND COVER AND TRAY EACH WITH MAKER'S MARK OF LIONEL ALFRED CRICHTON, LONDON, 1919 AND 1921, THE SLOP-BOWL AND CREAM-JUG, AMERICAN, CIRCA 1920
A composite silver and white metal six-piece tea-service
the tea-kettle, stand, teapot, sugar-bowl and cover and tray each with maker's mark of Lionel Alfred Crichton, London, 1919 and 1921, the slop-bowl and cream-jug, American, circa 1920
Octagonal and in the Queen Anne style, comprising a tea-kettle and stand, with silver-plated lamp, teapot, milk-jug, sugar-bowl and cover, slop-bowl and two-handled tray, each on moulded rim foot and with moulded borders, each engraved with a crest, the tray with a coat-of-arms, the slop-bowl and cream jug stamped 'CRICHTON & CO. LTD. NEW YORK' the remainder marked on bases and covers, stamped 'CRICHTON & COMPY LTD NEW YORK & CHICAGO, MADE IN ENGLAND'
the tray 30in. (77.5cm.) long
gross 313ozs. (8,860gr.) (6) | Pile |
[Rowell's syndrome or systemic lupus erythematosus and erythema multiforme. Association or coincidence?].
Rowell's syndrome is characterized by the association of systemic lupus erythematosus (SLE) and erythema multiforme-like lesions with the presence of immunological markers such as antinuclear antibodies with speckled pattern, anti-La antibodies and rheumatoid factor. We present the case of a 22-year-old woman with a diagnosis of SLE and erythema multiforme and discuss the possibility of distinguishing these entities from Rowell's syndrome. | Pile |
Q:
Why are my timer and score count not working?
I am trying to create a game using action script 3 and can't understand why the following code is resulting in my score immediately resetting to 0 and my timer rapidly changing numbers with no consistent pattern? Any help is much appreciated! Thank You!
import flash.events.Event;
import flash.events.MouseEvent;
import flash.utils.Timer;
import flash.events.TimerEvent;
var score:int=0;
var nCount:Number = 5;
var myTimer:Timer = new Timer(3000, nCount);
timer_txt.text = nCount.toString();
myTimer.addEventListener(TimerEvent.TIMER, countdown);
myTimer.start();
function countdown(e:TimerEvent):void{
nCount--;
timer_txt.text = nCount.toString();
}
init();
function init(): void {
Mouse.hide();
addEventListener(Event.ENTER_FRAME, update);
addEventListener(MouseEvent.CLICK, checkIfHit);
}
function update(myEvent:Event):void{
aim_mc.x = this.mouseX;
aim_mc.y = this.mouseY;
score_txt.text = "Score: " + score;
}
function checkIfHit(e:MouseEvent):void{
for(var i:int = 1; i < 4;++i){
var myClip:MovieClip = MovieClip(getChildByName("duck" + i));
if (myClip.hitTestPoint(mouseX,mouseY,true)){
score = score + 1;
}
}
}
A:
As mentioned by @coner in his comment, I think that you have another frame that, maybe, you have added by mistake, and that's why your animation is initialized everytime :
To avoid that, if you need that frame (these frames) for any reason, you can add a stop() in your first one and then you can use gotoAndStop() or gotoAndPlay() in another time to change the frame, or if you don't need that frame and you've added by mistake, you have just to remove it.
Also, don't forget to remove the event listeners and to stop your game after that your countdown is finished ...
Hope that can help.
| Pile |
The School KFI
The School KFI is situated in Chennai was started in the year 1973. It is run by the Krishnamurti Foundation India (KFI) based on the views on education and philosophy of J. Krishnamurti. The school has about 350 students and 35 teachers.
Until May 2018, the school was located in a spacious campus in Adyar made available by The Theosophical Society. The School KFI relocated to a new campus in June 2018 to Thazhambur (on Old Mahabalipuram Road).
See also
Jiddu Krishnamurti Schools
Alternative School
Krishnamurti Foundation
Rishi Valley School
The Valley School
References
PULA :]]]External links
The School KFI website
Category:Schools in Chennai
Category:Educational institutions established in 1973
Category:1973 establishments in India | Pile |
Cariology Education in Canadian Dental Schools: Where Are We? Where Do We Need to Go?
The aim of this study was to document cariology education across Canadian dental schools. Ten faculty members who supervise cariology education at each of the ten Canadian dental schools were invited to participate in the study in 2016. An adapted version of the European Organization for Caries Research-Association for Dental Education in Europe cariology curriculum group questionnaire was used. Representatives of all ten dental schools completed the questionnaire, for a 100% response rate. In four schools, cariology and restorative dentistry were taught by the same department. Five schools had didactic/laboratory courses focusing primarily on cariology as well as a specific written curriculum. Six schools provided cariology-related hands-on workshops/laboratories before students started working with patients. In teaching cariology, seven institutions included dental hard tissues defects. The following caries detection methods were addressed didactically in cariology education: visual (10/10 total schools), tactile (9/10), International Caries Detection and Assessment System criteria (6/10), caries activity assessment (9/10), radiographic (10/10), and other detection tools (8/10). Seven schools charted activity of carious lesions in clinic. Only one school used the concept of caries risk assessment regularly in clinic. Clinical cariology teaching was carried out mostly by private dentists hired as clinical instructors (7/10) and faculty members involved in didactic cariology education (9/10). Calibration of faculty members for caries detection criteria was reported by only one school. The main concern reported by all institutions was the difficulty of implementing didactic instruction on cariology into clinical training. This study found that contemporary cariology concepts are in the process of being implemented in didactic education across Canadian dental schools, but all schools lacked appropriate integration of cariology education into clinical training. These findings suggest a need for harmonization of evidence-based cariology education in Canada. | Pile |
Electronic devices that are worn by a pet and deliver electrical shocks or other stimulation to train the pet to remain within an established area are well known. There are two primary types of pet restraint systems being sold today. One type of system utilizes perimeter control and includes a wire that emits a weak radio signal to form an electronic perimeter. The pet wears a collar with battery powered electrodes. When the pet attempts to cross the perimeter, it hears an audible alarm and receives an electric shock. Pets are quickly trained to stay within the perimeter to avoid the shock. Some systems include portable transmitting devices that can be positioned within a house or yard to discourage the pet from approaching other forbidden zones.
Systems that utilize perimeter control have a number of deficiencies. For example, installation of the perimeter wire is expensive and often requires cutting through hard surfaces that cross the perimeter, such as driveways. The perimeter is also subject to failure during prolonged power outages or when the wire is broken. Additionally, if the pet is sufficiently enticed to leave the perimeter (by another animal or a perceived threat), the electrical shocks will stop a short distance beyond the perimeter. Not only is the pet then free to roam, but it is punished if it wants to reenter by having to again endure the shock when it tries to cross the perimeter to regain entry. Accordingly, once the pet is out, the pet will stay out. Another disadvantage of these systems is that the shocks and warning sounds are generally all or nothing, with no intermediate levels. The system also does not track the location of the pet, so there is no way to know where the pet is, whether inside or outside of the perimeter, except by calling the pet and/or visually locating it. Further, other than activating an alarm when the perimeter wire is broken, there is no alarm to alert the owner that the system is not operating to restrain the pet, nor is there any alarm to alert owner that the pet is at large. Finally, the perimeter wire is a large antenna that attracts static charge (e.g., from electrical storms), thereby presenting a hazard to other electronics or even to a house itself.
The second type of system is far less expensive and consists of a transmitter that sets up a radial control area. As long as the pet stays within the area of the transmitter, it receives no shock. This system has one big advantage: if the pet is outside the control area, it is shocked until it returns, thereby lessening the possibility that the pet will roam. This system, however, shares some of the disadvantages of the perimeter control system, and has two major additional drawbacks. For example, if the transmitter fails, the pet is continually shocked. Also, the perimeter is radial and has little to do with actual boundaries, which makes it difficult for the pet to roam the entire yard and/or to learn and obey the actual boundary locations of the property. Like the perimeter control system, the shock and alarm are all or nothing, the system does not track the pet's location, and there is no alarm to alert owner that the system may have failed.
Accordingly, there is a need for an improved system for tracking and manipulating the location of an animal, such as a pet. | Pile |
Hnetflix
Film | by Shane “Fresh Tomato” Hnetka
The Toronto Film Festival is one of the world’s biggest film events. Every year, TIFF brings hundreds of new movies to audiences and industry people. Hopefully this year’s fest has some really cool films. We could use some after 2017’s boring summer season.
Conventional Thinking
The Saskatoon Expo is Sept. 16 and 17 and I’m looking forward to it. This year’s celebrity guests are Ernie Hudson (Ghostbusters, The Crow), John Rys-Davies (The Lord of the Rings, Raiders of the Lost Ark), Cas Anway (The Expanse), Ruth Connell (Supernatural) and Lou Ferrigno (The Incredible Hulk). Voice actors Maurice Lamarche and Rob Paulsen (Pinky and the Brain) will also be there, doing what, I assume, they always do — plotting to take over the world.
Unlike Regina’s Fan Expo — a production of the company that runs the Vancouver and Toronto Fan Expos — Saskatoon’s convention is by the folks who do the big Calgary and Edmonton shows. It’s interesting to compare the two Sask. events. Obviously, both focus on science fiction, fantasy and comic book culture. Saskatoon has the nicer venue, though Regina’s big celebrity talks get a better space for crowds. I enjoy both conventions and I like how they bookend the summer.
It’s great to have two big nerd-cons in Saskatchewan. I’ll be at the Saskatoon Expo, so check out Planet S’ blog for photos and reports by yours truly.
Blame The Cooks, Not The Critics
This year’s box office receipts are significantly down from previous years and everywhere I look on the Internet, everyone’s throwing in their two cents on how this spells the end for movie theatres.
There’s also lots of finger-pointing. One popular scapegoat is Rotten Tomatoes, the well-known Internet film review aggregator.
Rotten Tomatoes, for those who haven’t heard of it, takes dozens of critic reviews for a particular movie and then averages-out a rating. Rotten Tomatoes and Metacritic (another popular online aggregator) calculate their scores differently, but the results are mostly the same. They both give readers a quick and reliable way to see what critics think of a movie.
But Hollywood is nothing if not whiny and insecure, and lately there’s a lot of blame being lobbed at Rotten Tomatoes for several box-office flops (notably Baywatch).
Well, suck it up, I say.
When a Hollywood studio remakes a dumb TV show because producers don’t have the imagination, taste, talent or courage to make something fresh, there’s a good chance it will be bad, and yes, critics will point that out. Don’t shoot the messenger. Besides, tomatometer scores don’t even affect a film’s box office. A Sept. 11 Variety column by Andrew Wallenstein reports on a study that shows a negligible connection between a film’s score and its ticket sales (or lack of). Google it if you want to take a deep dive into the topic.
All I’ll add is that this year’s box-office drop (down three-quarters of a billion from 2016) shouldn’t be a surprise. Studios avoid risks for what they think are sure bets, but they forget that avoiding risk is itself risky. When you’re only churning out franchises, remakes and ill-considered extended universes, it’s bound to wear thin with audiences.
Maybe if you’re spending millions on a movie, try making it good. If it’s good, people will probably see it. Don’t blame the tomatoes. | Pile |
Check out our new site Makeup Addiction
add your own caption
add your own caption
add your own caption
add your own caption
add your own caption
add your own caption
add your own caption
add your own caption
add your own caption
add your own caption
add your own caption
MILAN VS. BARCA but i have a chemistry test tomorrow | Pile |
StartChar: Lacute.sq
Encoding: 1114215 -1 704
Width: 1024
VWidth: 0
Flags: W
HStem: 0 240<448 1024> 1408 21G<192 424.844>
VStem: 192 256<240 1280>
LayerCount: 5
Back
Fore
SplineSet
192 0 m 1
192 1280 l 5
448 1280 l 5
448 240 l 1
1024 240 l 1
1024 0 l 1
192 0 l 1
192 1408 m 1
334 1664 l 1
600 1664 l 1
410 1408 l 1
192 1408 l 1
EndSplineSet
Validated: 1
Layer: 2
Layer: 3
Layer: 4
EndChar
| Pile |
2009 Beijing Guoan F.C. season
The 2009 Beijing Guoan F.C. season was the 6th consecutive season in the Chinese Super League, established in the 2004 season, and 19th consecutive season in the top flight of Chinese football. They competed at the Chinese Super League and AFC Champions League.
First team
As of August 30, 2009
Friendlies
Mid–season
Competitions
Chinese Super League
Matches
AFC Champions League
Group stage
References
Category:Beijing Guoan F.C. seasons
Category:Chinese football clubs 2009 season | Pile |
Interwoven Aligned Conductive Nanofiber Yarn/Hydrogel Composite Scaffolds for Engineered 3D Cardiac Anisotropy.
Mimicking the anisotropic cardiac structure and guiding 3D cellular orientation play a critical role in designing scaffolds for cardiac tissue regeneration. Significant advances have been achieved to control cellular alignment and elongation, but it remains an ongoing challenge for engineering 3D cardiac anisotropy using these approaches. Here, we present a 3D hybrid scaffold based on aligned conductive nanofiber yarns network (NFYs-NET, composition: polycaprolactone, silk fibroin, and carbon nanotubes) within a hydrogel shell for mimicking the native cardiac tissue structure, and further demonstrate their great potential for engineering 3D cardiac anisotropy for cardiac tissue engineering. The NFYs-NET structures are shown to control cellular orientation and enhance cardiomyocytes (CMs) maturation. 3D hybrid scaffolds were then fabricated by encapsulating NFYs-NET layers within hydrogel shell, and these 3D scaffolds performed the ability to promote aligned and elongated CMs maturation on each layer and individually control cellular orientation on different layers in a 3D environment. Furthermore, endothelialized myocardium was constructed by using this hybrid strategy via the coculture of CMs on NFYs-NET layer and endothelial cells within hydrogel shell. Therefore, these 3D hybrid scaffolds, containing NFYs-NET layer inducing cellular orientation, maturation, and anisotropy and hydrogel shell providing a suitable 3D environment for endothelialization, has great potential in engineering 3D cardiac anisotropy. | Pile |
*Courtesy Of The Wrestle Talk Podcast With Joe & Rene* Check out the latest episode from our friends at The Wrestle Talk Podcast With Joe & Rene as PWO’s own Nick Guest Hosts for the first hour of the show, which features interviews with Victor Romanoff And Searcher. Link Below: […]
Powerbomb.TV And Smart Mark Video Announce Multi-Year Partnership
Wilkes-Barre, Pennsylvania – October 19, 2017 – A lot can happen in the span of twenty years. Today Powerbomb.tv is proud to announce that they have signed a multi-year partnership with Smart Mark Video. This is an incredible partnership, one that truly benefits independent professional wrestling as a whole; fans, performers, and promotions alike.
Twenty years ago, a group of friends came together to form a video production and distribution company based on their shared love of independent professional wrestling. Their goal was simple: help independent wrestling grow by providing promotions professional editing and timely distribution of their content, two things independent wrestling severely lacked at the time. That company, reflecting its fan origins, called themselves Smart Mark Video and, under the leadership of Mike Burns, has built a sterling reputation with fans, promoters, and wrestlers over the last two decades.
Twenty years later, Gerard Durling, the former professional wrestler known as Vin Gerard, and Adam Lash, a video producer and former long-time member of the Smart Mark Video team, co-founded and launched Powerbomb.tv, a streaming service dedicated to promoting the growth and development of independent wrestling on a global scale, giving fans access to wrestling from all over the world. Working with little more than their passion for independent wrestling, Durling and Lash, along with their developer Paul Couture, began Powerbomb.tv as an ambitious plan to help make independent wrestling better.
Smart Mark Video releases will begin releasing on Powerbomb.tv starting November 1st, and more from their deep, comprehensive library will be added every month. Releases will span from Smart Mark’s early years to the present, and will include content never before released in a digital format.
Of this partnership, Powerbomb.tv co-founder Adam Lash said, “Working together just made sense. The truth is, there wouldn’t be a Powerbomb.tv if it weren’t for Smart Mark Video. It not only radically changed the game for independent wrestling in the 90s and 00s, but on a personal level, I spent sixteen years working there helping to shape and grow the company, and that company and the people that I was blessed to work with helped shape what I believe independent wrestling could and should be.”
“From day one the Smart Mark philosophy has been to give back and continually reinvest in to independent wrestling. This is a shared philosophy Powerbomb has, and they want to give back to all independent companies, big and small, like we do. With this deal you will see companies like Absolute Intense Wrestling, Alpha-1, and IWA Mid-South but you will also see companies like Mid American Wrestling, the Future Wrestling Alliance, and companies from the past that paved the way for independent wrestling today” said Mike Burns, co-founder and owner of Smart Mark Video.
“Establishing this partnership with Smart Mark Video really puts in motion our goal to bring independent wrestling together so that fans can enjoy it all in one place. Working together has always been our hope because we all want to see greater opportunities for independent wrestlers and the promotions they work for” said Gerard Durling, co-founder and owner of Powerbomb.tv.
According to Durling and Lash, the partnership with Smart Mark Video would not be possible without the support of Powerbomb.tv’s partners and the fans. This partnership opens up many doors and exciting opportunities for everyone. Both companies expressed that this partnership opens up many doors and exciting opportunities for everyone and they look forward to continuing to grow independent wrestling in 2018 and beyond.
Advertisements
Share this:
Like this:
LikeLoading...
Related
About Nicholas Jason Lopez
Just a 26 year-old Brooklynite. Nothing more, nothing less.
Currently Freelancing for The Bensonhurst Bean website in Brooklyn, he has also been published on sites such as Review Fix, College University of New York Athletic Conference, Dying Scene, Brooklyn News Service, All Media NY, BrooklynFans.com and Yahoo Voices.
He has also interned for The Home Reporter/Brooklyn Spectator based out of Brooklyn, NY. | Pile |
1. Field of the Invention
The invention generally relates to processing digitally modulated signals received in a communication system such as a WLAN (Wireless Local Area Network) system, and in particular to a receiver, an integrated circuit chip and an operation method that may be used for estimating the power of a received signal.
2. Description of the Related Art
A wireless local area network is a flexible data communication system implemented as an extension to, or as an alternative for, a wired LAN. Using radio frequency or infrared technology, WLAN systems transmit and receive data over the air, minimizing the need for wired connections. Thus, WLAN systems combine data connectivity with user mobility.
Most WLAN systems use spread spectrum technology, a wide-band radio frequency technique developed for use in reliable and secure communication systems. The spread spectrum technology is designed to trade-off bandwidth efficiency for reliability, integrity and security. Two types of spread spectrum radio systems are frequently used: frequency hopping and direct sequence systems.
The standard defining and governing wireless local area networks that operate in the 2.4 GHz spectrum, is the IEEE 802.11 standard. To allow higher data rate transmissions, the standard was extended to the 802.11b standard, that allows data rates of 5.5 and 11 Mbps in the 2.4 GHz spectrum. This extension is backwards compatible as far as it relates to the direct sequence spread spectrum technology, and both standards adopt various digital modulated techniques.
A digitally modulated signal in a wireless local area network has to be processed to compensate the influence of disturbances and to keep the output power constant. For compensating power changes in the input digitally modulated signal, usually an automatic gain control loop unit is provided in the receiver. A typical block diagram of such an automatic gain control loop unit is illustrated in FIG. 1. The unit of FIG. 1 comprises an amplifier 100 and a feedback loop having a power calculation unit 110 and a gain control unit 120. The power calculation unit 110 calculates the current power of the output signal of said amplifier 100, and the gain control unit 120 delivers a gain control signal to the amplifier 100.
The amplitude or power of any digitally modulated signal may be represented by I (in-phase) and Q (quadrature-phase) values and the I and Q values can be displayed in a complex diagram. The I value represents the real part and the Q value represents the imaginary part of the signal. When the power calculation unit 110 calculates the output power it has to calculate a square root of the sum of the squared I value and the squared Q value for each received pair of I and Q values.
The conventional techniques for calculating the output power comprise unnecessary and complicated calculation steps. In particular the calculation of the squared I and Q components and the calculation of the square root is disadvantageous. It has been found that circuits used for calculation of the power are needed to be of significant complexity and are therefore responsible for high development and manufacturing costs. | Pile |
In many transplantation-type situations, there is concern for differences between the allotype, especially the HLA type, of a cell source and the cell recipient. Antibodies against alloantigens can be induced by multiple blood transfusions, pregnancy, or during a prior graft rejection. Although these antibodies may be low titer, and difficult to detect, their presence in the blood of a potential recipient is indicative that a new graft with matching alloantigens will be rejected. The determination of the presence and specificity of antibodies against foreign HLA antigens is therefore clinically important for monitoring transplant patients. Detection assays may test for reactivity against a panel of antigens, as an initial broad screen (panel reactive antibodies, PRA testing), or may be specific for a single donor (donor specific crossmatch).
The standard technique for HLA typing and detection of anti-HLA antibodies is microlymphotoxicity, where serum containing antibodies is incubated with HLA antigen-expressing lymphocytes, then with complement. In some cases anti-human immunoglobulin is added to augment cell killing. The level of cytotoxicity is estimated by discriminating between dead and viable cells using various dyes. This method has numerous disadvantages: it is labor intensive, time consuming, requires isolation of cells, requires viable cells, is nonspecific for HLA, and requires a subjective evaluation. Flow cytometry may also be used but requires a large number of cells and expensive instrumentation.
It is therefore of interest to provide alternative techniques which can be performed simply, can be automated, do not share the shortcomings described above, provide a readily discernible result which is significant for the prognosis of graft acceptance, and comparable to data from existing tests. | Pile |
Round spermatid transfer and embryo development.
With the advent of assisted reproductive technology, pregnancy has become possible without sperm. The nucleus of the round spermatid, which contains a complete haploid set of chromosomes, can be used as a substitute for spermatozoa in animals and humans. In the mouse, round spermatids from surgically induced cryptorchid and prepubertal testes can fertilize normally and develop into normal offspring. The spermatid nucleus develops into a large pronucleus only when the oocyte is activated by artificial means, such as electrostimulation and oscillogen injection. Nuclei of mouse primary spermatocyte have been injected into oocytes and found to undergo meiosis, form an embryo and produce live young. Intracytoplasmic injection of male immature germ cells may become available as a treatment for patients with azoospermia due to maturation arrest. | Pile |
---
layout: docs
title: Spacing
description: Bootstrap includes a wide range of shorthand responsive margin and padding utility classes to modify an element's appearance.
group: utilities
toc: true
---
## How it works
Assign responsive-friendly `margin` or `padding` values to an element or a subset of its sides with shorthand classes. Includes support for individual properties, all properties, and vertical and horizontal properties. Classes are built from a default Sass map ranging from `.25rem` to `3rem`.
## Notation
Spacing utilities that apply to all breakpoints, from `xs` to `xl`, have no breakpoint abbreviation in them. This is because those classes are applied from `min-width: 0` and up, and thus are not bound by a media query. The remaining breakpoints, however, do include a breakpoint abbreviation.
The classes are named using the format `{property}{sides}-{size}` for `xs` and `{property}{sides}-{breakpoint}-{size}` for `sm`, `md`, `lg`, and `xl`.
Where *property* is one of:
* `m` - for classes that set `margin`
* `p` - for classes that set `padding`
Where *sides* is one of:
* `t` - for classes that set `margin-top` or `padding-top`
* `b` - for classes that set `margin-bottom` or `padding-bottom`
* `l` - for classes that set `margin-left` or `padding-left`
* `r` - for classes that set `margin-right` or `padding-right`
* `x` - for classes that set both `*-left` and `*-right`
* `y` - for classes that set both `*-top` and `*-bottom`
* blank - for classes that set a `margin` or `padding` on all 4 sides of the element
Where *size* is one of:
* `0` - for classes that eliminate the `margin` or `padding` by setting it to `0`
* `1` - (by default) for classes that set the `margin` or `padding` to `$spacer * .25`
* `2` - (by default) for classes that set the `margin` or `padding` to `$spacer * .5`
* `3` - (by default) for classes that set the `margin` or `padding` to `$spacer`
* `4` - (by default) for classes that set the `margin` or `padding` to `$spacer * 1.5`
* `5` - (by default) for classes that set the `margin` or `padding` to `$spacer * 3`
* `auto` - for classes that set the `margin` to auto
(You can add more sizes by adding entries to the `$spacers` Sass map variable.)
## Examples
Here are some representative examples of these classes:
{% highlight scss %}
.mt-0 {
margin-top: 0 !important;
}
.ml-1 {
margin-left: ($spacer * .25) !important;
}
.px-2 {
padding-left: ($spacer * .5) !important;
padding-right: ($spacer * .5) !important;
}
.p-3 {
padding: $spacer !important;
}
{% endhighlight %}
### Horizontal centering
Additionally, Bootstrap also includes an `.mx-auto` class for horizontally centering fixed-width block level content—that is, content that has `display: block` and a `width` set—by setting the horizontal margins to `auto`.
<div class="bd-example">
<div class="mx-auto" style="width: 200px; background-color: rgba(86,61,124,.15);">
Centered element
</div>
</div>
{% highlight html %}
<div class="mx-auto" style="width: 200px;">
Centered element
</div>
{% endhighlight %}
| Pile |
This invention relates to compressed-gas-operated devices of the reciprocating-piston type. The invention is particularly although not exclusively applicable to percussive tools such as pneumatically-operated concrete breakers, rock drills, chipping hammers and the like.
In such devices a piston is caused to reciprocate in a cylinder and to do useful work during or at the end of its forward working stroke, for example by impacting against an anvil or the shank of a tool bit. In order to achieve reciprocation of the piston, compressed air or other pressure fluid medium has to be directed alternately to opposite ends of the cylinder so as to move the piston. This operating fluid is usually conducted through longitudinal passages formed in the wall of the cylinder. The usual method of construction of these cylinders has been by casting or forging out of high quality case-hardenable steel or cast iron, and subsequently machining the main cylinder bore and the fluid transfer passage(s). This method of construction results in a component which is both heavy and expensive.
One object of the present invention is to provide a compressed-gas-operated reciprocating-piston device having an improved construction of cylinder component, which is used in conjunction with a surrounding tubular muffler and produces an improved sound-attenuating effect on the exhaust gas discharged from the device in operation, as well as on the general operating noise. | Pile |
Bonding, backbonding, and spin-polarized molecular orbitals: basis for magnetism and semiconducting transport in V[TCNE]x approximately 2.
X-ray absorption spectroscopy (XAS) and magnetic circular dichroism (MCD) at the V L{2,3} and C and N K edges reveal bonding and backbonding interactions in films of the 400 K magnetic semiconductor V[TCNE]x approximately 2. In V spectra, d{xy}-like orbitals are modeled assuming V2+ in an octahedral ligand field, while d{z{2}} and d{x{2}-y{2}} orbitals involved in strong covalent sigma bonding cannot be modeled by atomic calculations. C and N MCD, and differences in XAS from neutral TCNE molecules, reveal spin-polarized molecular orbitals in V[TCNE]x approximately 2 associated with weaker pi bonding interactions that yield its novel properties. | Pile |
8 Things You Can Do in Denver That You Can't Do Anywhere Else
The Mile High City is known for that (literally and figuratively), but there are plenty of other unique Denver Activities for you to experience Things That You Can Do In Denver That You Can't Do Anywhere Else Colorado Travel Tips Unusual Things To D
Tips you need to plan the perfect trip to the Mile High city, including recommendations on must see sights, incredible restaurants fit for foodies, beautiful boutique hotels and this year's shopping hot spots.
40 Things to Do in Denver for $10 or Less
Reflection Canyon, located on the side of Lake Powell in the Glen Canyon National Recreation Area, is known for its stunning colorful reflections. It's typically reached either by boat or through a road called the Hole-in-the-Rock Road.
It’s a dangerous business, visiting Denver, Colorado—because even one weekend in this hip and modern city might just convince you to stay. Denver’s Downtown area offers a plethora of brewpubs, rooftop bars, organic restaurants and world-class galleries | Pile |
The location and nature of extracellular barriers to colloidal substances at a variety of locations in the nervous system has been determined. In the organ of Corti, extensive systems of tight junctions form continuous bands surrounding cells and occluding extracellular spaces. It is these bands of junctions which control the movement of colloidal and probably ionic substances in intervening extracellular spaces. No tight junctions are found at the astrocytic border of the brain but other membrane specializations revealed by the freeze-fracture technique suggest that these cells also participate in the blood-brain barrier system. Furthermore, these membrane structures disappear rapidly in anoxia, suggesting that they depend on metabolic factors for their maintenance. These data on the cellular basis of brain barriers, as well as the new structural approaches used in these studies, afford a basis to design experimental studies of a variety of clinically important conditions which depend on or produce damage to brain barriers. They also give rise to new ideas about the roles of various cells associated with neurons and about the function of barrier systems in special regions, such as the organ of Corti. BIBLIOGRAPHIC REFERENCES: Gulley, R.L. and Reese, T.S.: Freeze-fracture studies of the non-junctional membrane specializations in the organ of Corti. Anat. Rec., 1977 (in press). McDonald, D.M. and Rasmussen, G.L.: An ultrastructural analysis of neurites in the basal lamina of capillaries in the chinchilla cochlear nucleus. J. Comp. Neurol. 173: 475-495, 1977. | Pile |
I sent an e-mail to my ISP (Wowway) asking them if they were planning on being compatible with Netflix 3D streaming. I never did get an answer back but this past Saturday I finally remembered to go to the 3D section on Netflix. To my surprise I was able to stream in 3D. The last three days I have been streaming and having a blast. They have more than a handful of titles and will be adding more but it's enough to get started.
The quality of the streaming and PQ were as good as 2D and had me smiling. There weren't a lot of top tier movies but I'm sure in time that will change. If you can stream in 3D from Netflix, try Scary Tales. It 2 stories per show about classic fairy tales. The 3D on them has good depth and some stories had ghosting where others didn't. | Pile |
Recent advances in embedded systems technology have resulted in utilization of wearable and non-intrusive devices for remote health and activity monitoring. Pedometers and smart phones with motion sensors are among devices that are used to continuously monitor characteristics such as daily activity and exercise. With the production of ultra low power sensor interfaces, smart band aids can be used for health and medical monitoring applications. For example, smart band aids can be used for monitoring metrics such as daily energy expenditure, body temperature, skin moisture, heart rate, and other human vital signs. The proliferation of these wearable devices results in a higher diversity of applications of these devices. In order to be non-intrusive in daily activities, these devices should be adaptable to habits of individual users. For example, individual users may place these devices on different regions of their bodies, which can affect how the data measured by these devices should be interpreted.
It is against this background that a need arose to develop the apparatus, system, and method described herein. | Pile |
Derrick Kimball
Derrick John Kimball (born November 20, 1954) is a lawyer and former political figure in Nova Scotia, Canada. He represented Kings South in the Nova Scotia House of Assembly from 1988 to 1993 as a Progressive Conservative member.
Born in 1954 in Halifax, Nova Scotia, the son of Robert Guy Edgar Kimball and Marjorie Coady, he was educated at St. Francis Xavier University and Dalhousie Law School. Kimball was solicitor for the town of Wolfville from 1978 to 1990. He entered provincial politics in the 1988 election, defeating NDP candidate Steve Mattson by 452 votes in the Kings South riding. In late 1992, Kimball lost the Progressive Conservative nomination in Kings South to former MLA and cabinet minister Harry How. Kimball quit the Progressive Conservative caucus in January 1993, and ran as an independent candidate in the 1993 election. He finished third in the election, which saw Liberal Robbie Harrison defeat How by 128 votes.
References
Entry from Canadian Who's Who
Category:1954 births
Category:Living people
Category:Dalhousie University alumni
Category:Nova Scotia Independent MLAs
Category:People from Halifax, Nova Scotia
Category:People from Kings County, Nova Scotia
Category:Progressive Conservative Association of Nova Scotia MLAs
Category:St. Francis Xavier University alumni | Pile |
A. Technical Field
The present invention pertains generally to content sharing, and relates more particularly to systems and methods that allow for simplified sharing of content.
B. Background of the Invention
The explosion of “social media” on the Internet has led to extensive sharing of information including such items as links, blogs, photos, video, schedules, or any other content created or recommended by individuals.
Current methods of sharing information are based on either hierarchies or binary (all or nothing) solutions. For example, a user may share a work calendar with co-workers, or an individual may share a digital photo album with family members. However, such methods are restricted in their ability to share content or vary what is shared between or across individuals or groups. Furthermore, such systems do not provide easy and quick customizing of the sharing.
Accordingly, it is an object of the present invention to provide systems and methods for allowing diverse and customizable sharing of electronic items with third parties, which may be individuals and/or groups. | Pile |
Eszter Bánffy
Eszter Bánffy, (born 1957) is a Hungarian prehistorian, archaeologist, and academic. Since 2013, she has been Director of the Romano-Germanic Commission at the German Archaeological Institute. She is also a professor at the Archaeological Institute of the Hungarian Academy of Sciences.
Honours
On 9 April 2015, Bánffy was elected a Fellow of the Society of Antiquaries of London. In 2017, she was elected a Corresponding Fellow of the British Academy (FBA), the United Kingdom's national academy for the humanities and social sciences. She is also an elected Member of the European Academy of Sciences and Arts.
Selected works
References
External links
:de:Eszter Bánffy
Category:1957 births
Category:Living people
Category:Hungarian historians
Category:British women historians
Category:Prehistorians
Category:Hungarian archaeologists
Category:Women archaeologists
Category:German Archaeological Institute
Category:Fellows of the Society of Antiquaries of London
Category:Corresponding Fellows of the British Academy
Category:Members of the European Academy of Sciences and Arts | Pile |
Centre for Public Policy PROVIDUS and UNHCR Regional Representation in Northern Europe invite all those interested - partner organizations, public institutions, academia, NGOs, migrant organizations and beneficiaries of international protection themselves - to participate in a conversation about asylum policy in Latvia and accross Europe.Read
The Centre for Public Policy PROVIDUS and the UNHCR Regional Representation for Northern Europe invite all those interested to participate a discussion on workplace and integration, which will take place on 10 October at Pullman Hotel. Registration for the event is available here.Read
After a decade of regional level participatory budgeting event that started in 2008, Portugal is currently developing its first participatory budgeting (hereafter PB) project on a national scale. The initiative is called Participatory Budgeting Portugal (PBP).Read
PROVIDUS has published an analytical report examining the presence of rule of law in social orientation courses for newcomers in Latvia. The report is a part of an international research project RACCOMBAT, which explores the topic across a number of EU states. Read
PROVIDUS is currently working on research about workplace integration in Riga. If you are a national from of another country currently working in the city, we would like to invite you to a group conversation about your experience:https://goo.gl/forms/TFYXCZVuBfjhKSa23Read
Is it time for the social security policy to change? Is the universal basic income a good way to replace the benefit system? Is it not going to create an even bigger gap between the poor and the rich? Can universal basic income promote job mobility and encourage people to acquire new skills? Is it a solution for the shrinking job market due to the development of the artificial intelligence? What is the international experience?Read
90% of future workplaces will require digital skills, but nearly half of Latvia's population do not have sufficient skills in this area. What are the existing policy initiatives and practices to promote learning of digital skills? How do employers ensure that their employees have the appropriate level of knowledge? How can the development of these skills foster the growth of Latvia's economy and create a more inclusive and diverse labour market? o employment practices and regulations need to change to keep pace with digitalisation and modern business models?Read | Pile |
Just when you think you know somebody, they can still surprise you.
I was chatting with my twenty-nine year old son on the phone the other night and discovered two things about him that I didn’t know before.
1) He’s leaning towards atheism. (Which is both disconcerting and kind of cool. We don’t have one of those in the family yet.) And
2) If he had the chance to be among the first to colonize Mars, he’d jump. No questions asked.
Of course, as his mother, I went straight to neediness when he confided the latter piece of information. “But…what if you could never come back to earth? Would you still want to go?” My fear of abandonment in old age was showing.
He didn’t hesitate. “You bet.”
I clutched at my heart for a second then sighed. I suppose it’s my own fault for teaching him to be truthful.
In case anyone is thinking that this is a ridiculous conversation, it’s really not. There are actually a number of plans on the table for colonizing Mars. In a brief article on The Norwegian Space Centre website (for the government agency under the Ministry of Trade and Industry) it says that the earliest date mentioned for moving to Mars in official papers is 2019.
In another article on The Daily Galaxy, the author sites evidence of Mars colonization becoming an imperative of the new U.S. space strategy taking shape under Obama.
And Stephen Hawking, the renowned British physicist and author of A Brief History of Time (among many, many other books), is a strong supporter of space colonization in general. In fact he believes that, with the poor resource management so far displayed on Earth, human life simply won’t exist long-term without it.
“Life on Earth,” Hawking has said, “is at the ever-increasing risk of being wiped out by a disaster such as sudden global warming, nuclear war, a genetically engineered virus or other dangers … I think the human race has no future if it doesn’t go into space.”
But keep in mind he also said, while talking about the possibility of other intelligent life in the universe:
“Personally, I favour the second possibility – that primitive life is relatively common, but that intelligent life is very rare…Some would say it has yet to occur on Earth.”
Which kind of begs the question of why save us at all, but I guess there’s no explaining species loyalty, which is an instinct-thing. (Which then loops us back to the question of intelligence, which is a mental hamster-wheel thing.)
The project that got my son dreaming about all this in the first place involves a Dutch start-up called Mars One that’s planning to fund the first colony on Mars in 2023 with the proceeds from a reality show documenting the whole thing. Before you laugh (which was admittedly my first reaction when he brought it up) check out their website. A realistic Mars shot is evidently a lot closer than I understood.
Luckily, before I donned the black veil and started throwing ashes on my head, my son sadly explained that he was already too old to participate in any of these projects. Turns out that, while he may be as scary smart, technologically astute, and space visionary as the best of them, it’s not enough. Thankfully nubile youth is also required. Which means it will be some other unfortunate mother standing at the dock in 2023 waving her crumpled little handkerchief good-bye.
My son will be stranded to die right here on Earth with me.
Oh for godsakes…what a horrible thing to write. (In case anyone was wondering where he gets his deplorable truthfulness from.)
On a brighter note, evidently Virgin Galactic (that Richard Branson, I tell ya…) is actually booking seats for space flights now and my son feels that this is an adventure within his reach. I have to admit, if I had a spare $200,000 sitting around I’d be tempted to join him and book a flight myself.
Now, for the record, I adore, a-d-o-r-e, this planet and would never, ever leave her, even if a gigantic asteroid was about to annihilate us all and I was offered the last remaining seat on the only spaceship out of here.
I’m really not kidding when I say I want to die at home.
But to be able to go up and just orbit around her a few times? To see with my very own eyes the Blue Planet, this exquisitely beautiful, miraculous place that we all get to share in, live on, suckle from, contribute to, and be a part of for however long it lasts?
Now that would be something.
copyright Dia Osborn 2011 | Pile |
The inventions of this application were the subject of Disclosure Documents Nos. 129,280 and 129,281 filed in the U.S. Patent and Trademark Office on July 20, 1984.
Most of the world, and particularly developing countries, suffer from an inadequate supply of energy resources. There has, as a result, been substantial efforts toward building engines which can efficiently utilize those energy resources which are locally available. Such energy sources include wood, rice husks or other vegetative or animal waste products. A leading engine showing great promise is the Stirling engine which is capable of converting heat energy directly to mechanical energy.
Cost and durability are very important in such applications of Stirling engines. They must be sufficiently inexpensive that they are affordable for those who need them and must provide reliable operation without the need for frequent repair because they are often used in locations which are inaccessible to adequate repair facilities.
Particularly vulnerable in a crank-type Stirling engine are the linkages which drivingly connect the power output shaft of the Stirling engine to its displacer and power piston. In order to provide such linkages, which give a reasonable and acceptable life expectancy, the bearings in those linkages must be made large using conventional designs. If the loading forces on the displacer drive linkages are reduced, the bearings of those linkages may be made correspondingly smaller and will exhibit a longer lifetime.
It is therefore a purpose and object of the present invention to provide a means for reducing the loading forces in the displacer drive linkages without changing the operating characteristics of the engine. This results in longer lasting, smaller and less expensive bearings and linkages.
It is often desirable to construct a Stirling engine which is intended for the operation described above so that it utilizes normal atmospheric air as its working gas. Since such Stirling engines operate more efficiently with working gas at a higher mean pressure than atmospheric pressure, there have been a variety of designs suggested for pumps which may be driven by the crank shaft of the engine. With such a pump, the engine may be started with working gas at atmospheric pressure and is able to do enough work to pump itself up to operating pressure. However, pumps designed in the past for this purpose add substantial material and labor costs and complexity to the engine and thus unduly increase the sales price.
It is therefore a further purpose and object of the present invention to provide a self pumping mechanism requiring a minimum of additional structure within the engine. | Pile |
Poly(meth)acrylic acid or partially neutralized products thereof are water-soluble polymers and widely used as water-absorbing materials, thickeners, flocculants, dispersants, treating agents for paper and fibers, and the like, making good use of their hydrophilic nature. The poly(meth)acrylic acid or partially neutralized products thereof may be formed into films from their solutions by a casting process. The resultant films are excellent in oxygen gas barrier property under dry conditions. However, these films are unsuitable for packaging of food containing a great amount of water because they show strong hydrophilic nature, and are hence markedly impaired in oxygen gas barrier property under high-humidity conditions, and moreover easy to dissolve in water.
In U.S. Pat. No. 2,169,250, it is described to polymerize a methacrylic acid monomer in an aqueous solution of polyvinyl alcohol (PVA), cast the resulting reaction mixture on a support, evaporate the water, and then heat the dry film for 5 minutes at 140.degree. C., thereby reacting PVA with polymethacrylic acid to obtain a water-insoluble film (Example I). According to the results of an investigation by the present inventors, however, any film exhibiting excellent oxygen gas barrier property under high-humidity conditions can not be obtained by such heat treatment conditions.
On the other hand, films formed of starch are excellent in oil resistance and oxygen gas barrier property, but involve a disadvantage that they are poor in mechanical strength and water resistance. Starch is a natural polysaccharide derived from plants and is composed of straight-chain amylose in which glucose units are linked by .alpha.(1-4) glycosidic bonds, and a high molecular weight amylopectin in which a great number of short amylose units are linked in a branched structure through .alpha.(1-6) glycosidic bonds. Examples of the starch include crude starch and besides, various kinds of modified starch, such as physically modified starch such as separated and purified amylose, modified starch improved in solubility in cold water by an acid, heating, an enzyme or the like, and graft-modified starch obtained by graft-polymerizing a monomer such as acrylamide, acrylic acid, vinyl acetate or acrylonitrile. These kinds of starch are hydrophilic polymers like poly(meth)acrylic acid and used not only in a field of food industry, but also in wide fields as water-absorbing materials, thickeners, flocculants, dispersants, treating agents for paper and fibers, and the like, making good use of their hydrophilic nature. Those having excellent water solubility among these kinds of starch can easily be formed into films from aqueous solutions thereof by a casting process. However, these films are unsuitable for packaging of food containing a great amount of water because they show strong hydrophilic nature, and are hence markedly impaired in oxygen gas barrier property under high-humidity conditions.
Some proposals have recently been made for producing films or sheets from mixtures of the starch and various thermoplastic resins. For example, there have been proposed biodegradable molded laminates in which a thin layer of a saponified product of an ethylene-vinyl acetate copolymer is provided on at least one side of a product molded from a mixture of a thermoplastic resin such as polyethylene and a starch polymer, such as a film (Japanese Patent Application Laid-Open No. 90339/1992), biodegradable films formed from a mixture of a PVA polymer and starch (Japanese Patent Application Laid-Open Nos. 100913/1992 and 114044/1992), water-resistant compositions composed of a PVA resin and a polysaccharide and films formed from such a composition (Japanese Patent Application Laid-Open No. 114043/1992), and sheets or films formed from a composition of a saponified product of an ethylene-vinyl acetate copolymer and starch, or laminates thereof (Japanese Patent Application Laid-Open Nos. 132748/1992, 93092/1993 and 92507/1993. However, these films are still insufficient in water resistance or oxygen gas barrier property under high-humidity conditions. | Pile |
Ashland’s LOCAL Aflac agent – June Update
It’s been another excellent month, meeting my fellow Ashlanders, and connecting with so many of you, as Ashland’s LOCAL Aflac agent.
This month, I rediscovered the Tuesday Market! There is nothing like meeting face to face with the good people who grow and raise our food and flowers. And the artists are inspiring!
Lots of good stuff to eat while you’re there. Lovely local musicians round it all out. Our market is a one of a kind place. Do take in the lovely Spring weather while it lasts!
Did you know that health care exchanges will begin enrolling this October?
60% of employees are confused about health care reform
54% worry they will make the wrong choice, and end up exposed to risk
50% have less than $500 set aside for a medical emergency
If this describes you, read on for more information…
Important Facts About Health Exchanges- Part 2
Public exchanges will be open for small businesses with <100 employees, and individuals without access to affordable health care
Affordable means Employer-provided coverage in which the employee’s required contribution does not exceed 9.5% of their annual income.
Private exchanges are not subject to the same federal guidelines as public exchanges
More flexible. Greater selection of insurance products and services
More coverage options to many workforce segments and sizes
Most employers (88%) say they will continue to offer health benefits in 2014
“Music of Shakespeare’s Time” Coming to the OSF Green Show…
June 29th, 6:45, at the Oregon Shakespeare Festival
Ever heard a krummhorn, gittern, or pipe and tabor? Enjoy a blast from the past, as master musician Sue Carney plays an assortment of seldom- heard instruments and answers your questions about music through the ages.
“Music of Shakespeare’s Time” is sponsored, in part, by Aflac, and Bellwood Violin. | Pile |
Tom Jancar
Tom Jancar (born November 9, 1950, Pasadena, CA) is a contemporary art dealer who owns Jancar Gallery (2006-2016) located in Los Angeles, CA.
Jancar studied Art History (BA 1974 - University of California, Irvine) and Studio Art (MFA 1976 - University of California, Irvine). During his graduate studies at University of California, Irvine, Jancar was the teaching assistant to Bas Jan Ader and assisted Ader in the creation of his work "Primary Time" (1974), photographs and video.
History
In 1980 Tom Jancar opened his first gallery with partner Richard Kuhlenschmidt named Jancar Kuhlenschmidt Gallery located at 4121 Wilshire Blvd, Los Angeles in the Los Altos Apartments building. In 2006 he again opened a new gallery named Jancar Gallery. This gallery was located on the top floor of an art deco high-rise building at 3875 Wilshire Blvd, Los Angeles and in 2008 he left this location and moved Jancar Gallery to 961 Chung King Road, Los Angeles. He hosted exhibitions of established, mid-career and emerging artists from Los Angeles, New York and Europe, many of whom were women. In 2011 arts writer Catherine Wagley named him the best down to earth gallerist.
Some of the artists that Tom Jancar showed at Jancar Kuhlenschmidt Gallery in the 1980s include Louise Lawler, William Leavitt (artist), Richard Prince, David Askevold, David Amico, and Christopher Williams (artist). At Jancar Gallery some of the artists shown include John Baldessari, Robert H. Cumming, Harriet Korman, Derek Boshier, Betty Tompkins, Judy Chicago, Suzanne Lacy, Micol Hebron, Hildegarde Duane, Catherine Lord, Rena Small, Annie Sprinkle, Tricia Avant, Susan Mogul, Richard Newton, Elana Mann, Christian Cummings, Judith Linhares, Martha Alf, Andrea Bowers, Roger Herman, Melissa Meyer, Cyril Kuhn, Dorit Cypis, Hubert Schmalix, Natalia LL, Kathrin Burmester, Martha Wilson, Stacy Kranitz, Angela Ellsworth, Jasmine Little, LeRoy Stevens and Ilene Segalove.
The Jancar Gallery records are held in the Smithsonian Institution's Archives of American Art.
References
External links
Jancar Gallery website
Jancar Gallery on the MutualArt Archive
Jancar Gallery records in the Archives of American Art
Category:1950 births
Category:American art dealers
Category:Art galleries in Los Angeles
Category:Living people | Pile |
Q:
Show image in WPF DataGridColumn
I am Binding my wpf DataGrid to an ObservableCollection from code. I am adding the columns by code (as they may change on every report)
The UI Deisgner now wants a Column wiht Images for "Delete this row" and "do a special action" on this row. So two Images in one column, and when clicked different behaviour.
Any ideas how to get this done?
Thanks in advance!
A:
use this
<DataGridTemplateColumn>
<DataGridTemplateColumn.CellTemplate>
<DataTemplate>
<StackPanel Orientation="Horizontal">
<Button Click="1st--Handler----here">
<Image Source="image--path--here"/>
</Button>
<Button Click="2nd--Handler----here">
<Image Source="image--path--here"/>
</Button>
<StackPanel>
</DataTemplate>
</DataGridTemplateColumn.CellTemplate>
</DataGridTemplateColumn>
| Pile |
Hellraisers has announced that Ivan “Johnta” Shevcov will no longer be playing under the Hellraiser brand. Along with the news, Hellraisers told us that Amiran “aMi” Rehviashvili has moved to the coaching role […]
Twitch streams the gaming awards every year to honor of all things gaming. It supports the time and hard work that so many have spent creating, competing, and analyzing the top games around the world. More […] | Pile |
PARIS (Reuters) - The chief executive of European missile maker MBDA is returning to Airbus as head of strategy as the planemaker seeks to modernize its factories and explore future options in defense.
FILE PHOTO: The Airbus logo is pictured at Airbus headquarters in Blagnac near Toulouse, France, March 20, 2019. REUTERS/Regis Duvignau/File Photo
Antoine Bouvier, 59, replaces Patrick de Castelbajac who becomes head of Airbus Asia-Pacific, Airbus said in a statement. Castelbajac’s responsibility for Airbus international operations had already been transferred to sales chief Christian Scherer.
At Airbus, Bouvier will be embarking on a battle of wits with a new opposite number at arch-rival Boeing Co.
Chris Raymond, until recently head of Autonomous Systems, has been named Boeing’s group-wide vice-president for enterprise strategy under finance director Greg Smith, Boeing said in his biography on its website, confirming a Reuters report.
Bouvier’s appointment is the latest evidence of a management shake-up at Airbus, accelerated by the promotion last month of planemaking chief Guillaume Faury to CEO.
A former civil servant who narrowly missed out on running France’s DGA defense procurement agency two years ago, Bouvier brings experience in forging defense partnerships to Airbus, which is embroiled in a row with Germany over arms controls.
He will be replaced at MBDA by former OneWeb chief Eric Beranger.
From July 1, Castelbajac will also assume responsibility for Asia sales, recently a key battleground with Boeing.
China Airlines last week announced a leasing deal expected to pave the way for the Taiwan carrier to switch its medium-haul fleet to the Airbus A320neo rather than the Boeing 737 MAX.
The deal to replace older 737s took years to complete and was drafted before the 737 MAX was engulfed by a crisis involving two crashes and a worldwide grounding.
Although day-to-day competition remains intense, Airbus seems wary of over-exploiting the 737 MAX problems, fearing they could destabilize the market and supply chains, some industry sources say. A U.S. industry official denied this.
NEXT GENERATION
The future of the Airbus A320neo and Boeing 737 MAX - the industry’s most successful models - is seen as strategically entwined and insiders say Airbus is also worried about the impact of the grounding on global certification..
Decisions on what replaces the current generation of single-aisle jets from about 2030 and how they are built could define the aircraft industry well into the second half of the century.
Early planning of those models will be a major topic for strategists at both Airbus and Boeing in coming years.
Insiders say Faury wants Airbus to focus on industrial strategy and closing a perceived gap with Boeing in production technology, as well as the threat of increased environmental regulation, when designing new products.
Airbus must also assess how to respond to rising defense spending after its failure to merge with Britain’s BAE Systems in 2012 left it heavily skewed toward commercial markets that are now approaching the end of an extended upcycle.
It is involved on the German side of a nascent Franco-German fighter project along with French partner Dassault Aviation but faces competition for valuable systems work and a growing spat with the German government over export controls.
At MBDA, Bouvier was credited with driving an Anglo-French agreement on the use of shared missile technology.
Bouvier followed the classic path of a French mandarin from prestigious Polytechnique engineering school to ENA civil service academy. He had been linked to top posts at suppliers such as Safran and Thales, although was not hired.
“His appointment will be very credible with the French government,” a person familiar with the appointment said. France and Germany own 11 percent each of Airbus. | Pile |
Q:
Flutter TextField - how to shrink the font if the text entered overflows
I have a TextField (not a Text) widget that must remain on one line. I want to reduce it's font size if the text entered is too large for the TextField box, ie shrink it if it overflows. How can I do this?
I have written some code like this in a stateful component
if (textLength < 32) {
newAutoTextVM.fontSize = 35.0;
} else if (textLength < 42) {
newAutoTextVM.fontSize = 25.0;
In the view
fontSize: 25.0,
but it isn't very intelligent, it doesn't cope with resizing, also, because the font size isn't monospaced (courier etc), different characters take up different amounts of space.
A:
Use a TextPainter to calculate the width of your text. Use a GlobalKey to get the size of your widget (A LayoutBuilder might be better to handle screen rotation).
import 'package:flutter/material.dart';
main() => runApp(MaterialApp(home: Home()));
class Home extends StatefulWidget {
@override
_HomeState createState() => _HomeState();
}
const textFieldPadding = EdgeInsets.all(8.0);
const textFieldTextStyle = TextStyle(fontSize: 30.0);
class _HomeState extends State<Home> {
final TextEditingController _controller = TextEditingController();
final GlobalKey _textFieldKey = GlobalKey();
double _textWidth = 0.0;
double _fontSize = textFieldTextStyle.fontSize;
@override
void initState() {
super.initState();
_controller.addListener(_onTextChanged);
}
void _onTextChanged() {
// substract text field padding to get available space
final inputWidth = _textFieldKey.currentContext.size.width - textFieldPadding.horizontal;
// calculate width of text using text painter
final textPainter = TextPainter(
textDirection: TextDirection.ltr,
text: TextSpan(
text: _controller.text,
style: textFieldTextStyle,
),
);
textPainter.layout();
var textWidth = textPainter.width;
var fontSize = textFieldTextStyle.fontSize;
// not really efficient and doesn't find the perfect size, but you got all you need!
while (textWidth > inputWidth && fontSize > 1.0) {
fontSize -= 0.5;
textPainter.text = TextSpan(
text: _controller.text,
style: textFieldTextStyle.copyWith(fontSize: fontSize),
);
textPainter.layout();
textWidth = textPainter.width;
}
setState(() {
_textWidth = textPainter.width;
_fontSize = fontSize;
});
}
@override
Widget build(BuildContext context) {
return Scaffold(
appBar: AppBar(
title: Text('Autosize TextField'),
),
body: Padding(
padding: EdgeInsets.all(16.0),
child: Column(
crossAxisAlignment: CrossAxisAlignment.stretch,
children: <Widget>[
TextField(
key: _textFieldKey,
controller: _controller,
decoration: InputDecoration(
border: InputBorder.none,
fillColor: Colors.orange,
filled: true,
contentPadding: textFieldPadding,
),
style: textFieldTextStyle.copyWith(fontSize: _fontSize),
),
Text('Text width:'),
Container(
padding: textFieldPadding,
color: Colors.orange,
child: Row(
children: <Widget>[
Container(width: _textWidth, height: 20.0, color: Colors.blue),
],
),
)
],
),
),
);
}
}
| Pile |
Design Logo for Institution in Brazil
Tóm tắt cuộc thi
The logo is for a NGO in Brazil named AAMC - Associação de Amigos do Mosaico Carioca.
We work with protected areas, environmental education and tourism, among other things. Have this on mind for an ideia about what our NGO represents.
Mosaico Carioca is an institution that we are associated and attached you will find their logo for reference of colors and shapes, if needed.
We have 2 ideas in mind but feel free to do what your imagination suggests:
Ideia #1:
4 symbols (look reference files attached), each one being a kind of puzzle piece or mosaic, showing only the shape color-free/clear of theses mountains/lake (Look file F attached – the christ shape substitute the “taeq” word, for example)
Attached you will find a classic photo of each symbol just for reference about the shapes of each.
Ideia # 2:
Our initials - AAMC - with trail tracks forming a mountain shape and at the end it would lead to one of the 4 symbols – Our idea is the Christ Statue at the end.
Các kĩ năng yêu cầu
Phản hồi của người thuê
“Great designer. Provided good options for our logo, accepted all critics and feedback. He was always willing to do changes and in the end, the logo was just what we wanted. I will hire him again whenever needed. ”
Hi Rikardo.
How about #14 ?
If you want, I can make bit changes in logo. Just tell me.
cách đây 4 năm
Chủ cuộc thi
cách đây 4 năm
Hi Kenny. I´ve sent this message a few days a ago. I really liked #14. Is it possible to make some changes? If it is, please substitute color black for the brown color of mosaico carioca logo attached on brief. Also please make the christ statue smaller, like the other symbols. The other change is to substitute symbol inside color green with the symbol inside color blue, as it represents a lake (water). We also thought the lake figure looks like a ghost. If you could also smooth the lines at bottom part a little bit. Thank you. You are on the right way!
Had you increased the prize money to atleast $33, you would have got more entries. If a freelancer has no funds in their account and they win your contest, they wont be able to withdraw the money cuz freelancer will take 10% commission (remaining $27) and minimum required amount for withdrawal is $30. | Pile |
V1b vasopressin receptor trafficking and signaling: Role of arrestins, G proteins and Src kinase.
The signaling pathway of G protein-coupled receptors is strongly linked to their trafficking profile. Little is known about the molecular mechanisms involved in the vasopressin receptor V1b subtype (V1b R) trafficking and its impact on receptor signaling and regulation. For this purpose, we investigated the role of β-arrestins in receptor desensitization, internalization and recycling and attempted to dissect the V1b R-mediated MAP kinase pathway. Using MEF cells Knocked-out for β-arrestins 1 and 2, we demonstrated that both β-arrestins 1 and 2 play a fundamental role in internalization and recycling of V1b R with a rapid and transient V1b R-β-arrestin interaction in contrast to a slow and long-lasting β-arrestin recruitment of the V2 vasopressin receptor subtype (V2 R). Using V1b R-V2 R chimeras and V1b R C-terminus truncations, we demonstrated the critical role of the V1b R C-terminus in its interaction with β-arrestins thereby regulating the receptor internalization and recycling kinetics in a phosphorylation-independent manner. In parallel, V1b R MAP kinase activation was dependent on arrestins and Src-kinase but independent on G proteins. Interestingly, Src interacted with hV1b R at basal state and dissociated when receptor internalization occurred. Altogether, our data describe for the first time the trafficking profile and MAP kinase pathway of V1b R involving both arrestins and Src kinase family. | Pile |
Moonlit Leopard
Dusting Off The Blog
Hello! If you’re reading this, and I assume that you are, you’re probably wondering what this is. This is my newly resurrected blog, which has been gathering dust for the past two years. Two blog years equates to 273 normal years, or 5 minutes at the dentist. Approximately. Regardless, it’s been a long time.
Yahoo continues its downward spiral and, continuing a 12 year trend, has still done nothing with Yahoo Groups.
LMFAO’s ‘I’m sexy and I know it’ happened, which may or may not make up for the above items.
A new focus of the blog will be on photography. I’ve always enjoyed taking pictures whenever I’ve travelled, but I was not at all serious about it. For our honeymoon last year, I purchased a new camera, a Panasonic GH2, and since have started to think about photography more. I’m really just starting to learn about photography, and the plan is to post more of my photos here. Lucky you, you get to watch me try to improve my photography skills.
Photo – Moonlit Leopard in Botswana
We went on safari last year and it was an amazing experience. We saw all of the ‘Big 5’, Elephants, Lions, Leopards, Rhinos, and Cape Buffalo, along with many other animals. A big part of what I’m trying to learn with photography is how to process a photo after I’ve taken it. The original of this photo was not very good; the colors were washed out, the leopard wasn’t lit well, there were a few tree branches in the way. Hopefully I’ve improved it.
A note on photos: To grab full-sized versions of the photos I post, just click on the photo and you’ll be taken to my Smugmug site. It would make me happy if you would use the photos on your blog, Facebook, or whatever, for fun and the like, just please link back to this blog if you do so. For commercial use, please contact me. Everything is licensed under Creative Commons. | Pile |
The race to replace Christy Clark as BC Liberal leader is heating up bigly: Former Mayor of Surrey and Conservative MP from South Surrey-White Rock Diane Watts is entering the fray after weeks of speculation.
Watts is the clear front runner, but she'll be joined this week by a slate of current BC Liberal MLAs. This will likely make her the only outsider in the sense that she has no history with the party.
While the party was far from soundly defeated in the May election, Christy Clark's departure and the end of a sixteen year BC Liberal dynasty means the time has come for a fresh face and a fresh start.
But if they aren't careful, there's always the risk that the BC Liberals could follow the same path that doomed the once dynastic Social Credit Party during the early 1990s.
Watch as I explain why I think Diane Watts is the most appealing candidate at this point and why she may be the key to winning some Surrey seats back.
Some might see her as more of a Red Tory, which may not be ideal, but it's pretty close to as good as it gets for the BC Liberal coalition of federal liberals and conservatives.
The key for Watts is to bring new energy to the party as an outsider, while not alienating the caucus that remains.
As an outsider, Watts can show them the error of their ways after 16 years in power that eventually brought too much cronyism and too much corruption. Then, once she enters the legislature, she must oppose the NDP Destroyers and end their grip on power as soon as possible.
If she does all that, Dianne Watts will be premier in no time. | Pile |
Paradoxical response to a novel influenza virus vaccine strain: the effect of prior immunization.
repeated influenza immunization does not appear to adversely affect the serum antibody response to new influenza strains. to determine whether the immune response to a new influenza strain was inferior in persons previously vaccinated compared with persons not previously vaccinated. randomized, double-blind clinical trial. university affiliated community teaching hospital. 139 healthy adult men and women, mean age 38 years. subjects were vaccinated as part of another study. They received influenza vaccines containing influenza strains A/Texas/36/91 (H1N1), A/Nanchang/933/95 (H3N2) and B/Beijing/184/93. One group received a licensed influenza vaccine while the other group received a similar vaccine except the A/Nanchang strain had a diminished potency. serum hemagglutination inhibition (HAI) antibody titers were determined prior to vaccination and two weeks afterward. If patients had a low postvaccination titer, they were revaccinated and HAI titers were determined two weeks later. 68 adults received the licensed vaccine and 70 received the subpotent vaccine. The groups were similar with regards to baseline characteristics. Those previously vaccinated had significantly lower postvaccination HAI geometric mean titers (GMTs) for all three vaccine strains (A/Texas--127 vs. 359, p < 0.001, A/Nanchang--31 vs. 93, p < 0.001 and B/Beijing--140 vs. 205, p < 0.05). The percentage of subjects with a presumed protective HAI titer of > or =40 was significantly lower among the previously vaccinated groups only for the new influenza strain, A/Nanchang (55% vs. 80%, p < 0.05). For the other two vaccine strains, the percentage with an HAI titer > or =40 was greater than 90% for both groups. the decrease in serologic response to influenza vaccine among healthy, young adults who were previously vaccinated appears to be unique for this year's influenza vaccine. Further studies are required to determine the frequency and clinical significance of this phenomenon observed in younger healthy adults, and whether it is a general one. Based on its proven efficacy, influenza vaccine should continue to be given on an annual basis to high risk children and adults and to all those 65 years or older. | Pile |
Sri Lankan Ambassador to the Soviet Union
The Sri Lankan Ambassador to the Soviet Union was the Sri Lankan envoy in Moscow (Ulitsa Shepkhina 24, Soviet Union) with concurrent, nonresident Diplomatic accreditation in Budapest, Bukarest, Prague, Warsaw and East Berlin.
History
Diplomatic relations between the Soviet Union and Sri Lanka were established on February 19, 1957 and ceased following the breakup of the Soviet Union in 1991.
Ambassadors
See also
Sri Lankan Ambassador to Russia
List of heads of missions from Sri Lanka
References
*
Sri Lanka
Rusia | Pile |