text
stringlengths
2
1.05M
repo_name
stringlengths
5
101
path
stringlengths
4
991
language
stringclasses
3 values
license
stringclasses
5 values
size
int64
2
1.05M
This invention relates to a dip coating method, for use in fabricating for instance photosensitive members, wherein coating beads are subjected to partial drying to prevent contamination of the coating solution in the next dip coating vessel. The term bead refers to a coating buildup such as an excessively thick portion of the coating on the substrate. Dip coating is a coating method typically involving dipping a substrate in a coating solution and taking up the substrate. In dip coating, the coating thickness depends on the concentration of the coating material and the take-up speed, i.e., the speed of the substrate being lifted from the surface of the coating solution. It is known that the coating thickness generally increases with the coating material concentration and with the take-up speed. A bead may be formed during dip coating on the bottom end region of the substrate, especially at the bottom edge, where the bead covers a portion of the outer and inner surface of the bottom end region. The bead can be quite large such as from about 100 to 250 microns in thickness (measured from the substrate surface) and from about 3 to 10 mm in width (measured along the length of the substrate). It has been found that the time required for ambient conditions to partially dry the bead to a tacky film, which is then sufficiently dry for the next coating solution without danger of contaminating that coating solution, may be in excess of about 90 minutes. Such a long time period may be needed because the bead is generally much thicker than the rest of the coated layer and because ambient air cannot freely circulate within the substrate interior to evaporate solvent from the portion of the wet coating solution bead on the inside surface of the substrate. This is a problem since there may be less than 90 minutes between dip coating cycles in certain production processes and thus the insufficiently dry bead will contaminate the coating solution in the next dip coating vessel. Consequently, there is a need, which the present invention addresses, for a coating method which decreases the time required to evaporate a sufficient amount of the solvent from a wet coating to avoid contaminating the coating solution in the next dip coating vessel. The following documents disclose conventional dip coating methods, dip coating apparatus, and photosensitive members: Miyake, U.S. Pat. No. 5,213,937, discloses a process for preparing an electrophotographic photoreceptor; Takeda et al., U.S. Pat. No. 4,421,838, discloses processes for preparing photoconductive elements and electrophotosensitive materials; Yashiki et al., U.S. Pat. No. 4,610,942, discloses an electrophotographic member having corresponding thin end portions of charge generation and charge transport layers; Nozomi et al., U.S. Pat. No. 5,120,627, discloses an electrophotographic photoreceptor having a dip coated charge transport layer; and Sumino et al., U.S. Pat. No. 5,279,916, discloses a process for producing an electrophotographic photosensitive member.
null
minipile
NaturalLanguage
mit
null
Q: Parallel.For vs regular threads I'm trying to understand why Parallel.For is able to outperform a number of threads in the following scenario: consider a batch of jobs that can be processed in parallel. While processing these jobs, new work may be added, which then needs to be processed as well. The Parallel.For solution would look as follows: var jobs = new List<Job> { firstJob }; int startIdx = 0, endIdx = jobs.Count; while (startIdx < endIdx) { Parallel.For(startIdx, endIdx, i => WorkJob(jobs[i])); startIdx = endIdx; endIdx = jobs.Count; } This means that there are multiple times where the Parallel.For needs to synchronize. Consider a bread-first graph algorithm algorithm; the number of synchronizations would be quite large. Waste of time, no? Trying the same in the old-fashioned threading approach: var queue = new ConcurrentQueue<Job> { firstJob }; var threads = new List<Thread>(); var waitHandle = new AutoResetEvent(false); int numBusy = 0; for (int i = 0; i < maxThreads; i++) threads.Add(new Thread(new ThreadStart(delegate { while (!queue.IsEmpty || numBusy > 0) { if (queue.IsEmpty) // numbusy > 0 implies more data may arrive waitHandle.WaitOne(); Job job; if (queue.TryDequeue(out job)) { Interlocked.Increment(ref numBusy); WorkJob(job); // WorkJob does a waitHandle.Set() when more work was found Interlocked.Decrement(ref numBusy); } } // others are possibly waiting for us to enable more work which won't happen waitHandle.Set(); }))); threads.ForEach(t => t.Start()); threads.ForEach(t => t.Join()); The Parallel.For code is of course much cleaner, but what I cannot comprehend, it's even faster as well! Is the task scheduler just that good? The synchronizations were eleminated, there's no busy waiting, yet the threaded approach is consistently slower (for me). What's going on? Can the threading approach be made faster? Edit: thanks for all the answers, I wish I could pick multiple ones. I chose to go with the one that also shows an actual possible improvement. A: The two code samples are not really the same. The Parallel.ForEach() will use a limited amount of threads and re-use them. The 2nd sample is already starting way behind by having to create a number of threads. That takes time. And what is the value of maxThreads ? Very critical, in Parallel.ForEach() it is dynamic. Is the task scheduler just that good? It is pretty good. And TPL uses work-stealing and other adaptive technologies. You'll have a hard time to do any better. A: Parallel.For doesn't actually break up the items into single units of work. It breaks up all the work (early on) based on the number of threads it plans to use and the number of iterations to be executed. Then has each thread synchronously process that batch (possibly using work stealing or saving some extra items to load-balance near the end). By using this approach the worker threads are virtually never waiting on each other, while your threads are constantly waiting on each other due to the heavy synchronization you're using before/after every single iteration. On top of that since it's using thread pool threads many of the threads it needs are likely already created, which is another advantage in its favor. As for synchronization, the entire point of a Parallel.For is that all of the iterations can be done in parallel, so there is almost no synchronization that needs to take place (at least in their code). Then of course there is the issue of the number of threads. The threadpool has a lot of very good algorithms and heuristics to help it determine how many threads are need at that instant in time, based on the current hardware, the load from other applications, etc. It's possible that you're using too many, or not enough threads. Also, since the number of items that you have isn't known before you start I would suggest using Parallel.ForEach rather than several Parallel.For loops. It is simply designed for the situation that you're in, so it's heuristics will apply better. (It also makes for even cleaner code.) BlockingCollection<Job> queue = new BlockingCollection<Job>(); //add jobs to queue, possibly in another thread //call queue.CompleteAdding() when there are no more jobs to run Parallel.ForEach(queue.GetConsumingEnumerable(), job => job.DoWork());
null
minipile
NaturalLanguage
mit
null
Removal of breast cancer cells by soybean agglutinin in an experimental model for purging human marrow. Soybean agglutinin (SBA) was used as a differential reagent to achieve selective elimination of human breast cancer cells (T-47D cell line) from human marrow contaminated with tumor cells. Two successive cycles of direct agglutination by soluble SBA resulted in depletion of 3.5 logs of tumor cells as determined by radiolabeling, whereas removal of more than 4 logs of tumor cells was demonstrated by a clonogenic bioassay. A more convenient procedure for tumor purge involved the use of SBA bound to either polyglutaraldehyde magnetic beads or to commercial polystyrene magnetic beads. After one cycle of magnetic separation, 2 to 3.5 logs of tumor cells were removed. A second separation cycle using fresh magnetic beads improved depletion to more than 4 logs. Neither of these purging procedures affected the hematopoietic potential of granuloid-macrophage colony-forming unit cells. We suggest the use of SBA bound to magnetic beads as a convenient tool for effective ex vivo purging of marrow aspirates contaminated with metastatic breast cancer cells in patients with advanced disease. A similar procedure is applicable for all SBA-positive neoplasms.
null
minipile
NaturalLanguage
mit
null
Home CREATED BY TEACHERS, TESTED BY STUDENTS At Insight To Learning, our goal is simple: Get students to love science by creating fun and interactive science projects that capture the attention of even the youngest minds. At Insight To Learning, we believe every child is a scientist. Every child yearns to learn and explore the world in which we live, they just need the proper tools. Our kits provide age appropriate science experiments that allow children to develop a strong science foundation from which to build upon. Each kit and each grade build upon the previous lessons and reemphasize the important points of each topic. Each kit also comes with enough classroom materials for 25-30 students, so even the biggest classes have enough materials for everyone to participate. For the home school student, we can customize each kit and send enough material for just one student if requested. All of our science kits meet the requirements for the Next Generation Science Standards, so you can rest assured your students are receiving the most up to date information available. When you purchase science kits from Insight To Learning, you are not only shaping young minds, you are also helping the community. All of our kits are assembled at Adelante Development Center, a nonprofit agency that provides individualized support services for over 900 New Mexicans with mental, physical and developmental disabilities. Our mission is to provide engaging scientific and academic activities and materials to young students in order to stimulate and expand the learning experience. We are committed to helping students develop a passion for continued learning throughout their lifetime.
null
minipile
NaturalLanguage
mit
null
It has been nearly a half century since President Lyndon Johnson declared war on poverty. Back in the 1960s tackling poverty “in place” meant focusing resources in the inner city and in rural areas. The suburbs were seen as home to middle- and upper-class families—affluent commuters and homeowners looking for good schools and safe communities in which to raise their kids. But today’s America is a very different place. Poverty is no longer just an urban or rural problem, but increasingly a suburban one as well. In Confronting Suburban Poverty in America, Elizabeth Kneebone and Alan Berube take on the new reality of metropolitan poverty and opportunity in America. After decades in which suburbs added poor residents at a faster pace than cities, the 2000s marked a tipping point. Suburbia is now home to the largest and fastest-growing poor population in the country and more than half of the metropolitan poor. However, the antipoverty infrastructure built over the past several decades does not fit this rapidly changing geography. As Kneebone and Berube cogently demonstrate, the solution no longer fits the problem. The spread of suburban poverty has many causes, including shifts in affordable housing and jobs, population dynamics, immigration, and a struggling economy. The phenomenon raises several daunting challenges, such as the need for more (and better) transportation options, services, and financial resources. But necessity also produces opportunity—in this case, the opportunity to rethink and modernize services, structures, and procedures so that they work in more scaled, cross-cutting, and resource-efficient ways to address widespread need. This book embraces that opportunity. Kneebone and Berube paint a new picture of poverty in America as well as the best ways to combat it. Confronting Suburban Poverty in America offers a series of workable recommendations for public, private, and nonprofit leaders seeking to modernize poverty alleviation and community development strategies and connect residents with economic opportunity. The authors highlight efforts in metro areas where local leaders are learning how to do more with less and adjusting their approaches to address the metropolitan scale of poverty—for example, integrating services and service delivery, collaborating across sectors and jurisdictions, and using data-driven and flexible funding strategies. “We believe the goal of public policy must be to provide all families with access to communities, whether in cities or suburbs, that offer a high quality of life and solid platform for upward mobility over time. Understanding the new reality of poverty in metropolitan America is a critical step toward realizing that goal.”—from Chapter One
null
minipile
NaturalLanguage
mit
null
Introduction ============ Chronic sleep loss is a widespread problem in human society \[[@R1]\]. Insufficient sleep is associated with chronic problems such as heart disease, kidney disease, high blood pressure, diabetes, obesity, and mental illness \[[@R2]\]. As sleep is critical for learning and memory, sleep deprivation (S-DEP) is detrimental to learning, brain maturation, and waking consciousness \[[@R3],[@R4]\]. The association between S-DEP and memory impairment remains unclear. Inflammation may play a crucial role in the relationship between sleep and cognition \[[@R5]\]. S-DEP impairs physiological and behavioral development through the upregulation of some inflammatory cytokines, such as tumor necrosis factor α (TNFα) \[[@R6],[@R7]\]. S-DEP increases TNFα mRNA in the somatosensory cortex, frontal cortex, and basal forebrain \[[@R8]\]. However, the role of TNFα upregulation in S-DEP-induced cognitive impairment remains unclarified. During sleep, synapses undergo widespread alterations in composition as well as signaling capacity, including weakening via the removal and dephosphorylation of synaptic α-amino-3-hydroxy-5-methyl-4-isoxa-zolep-propionate (AMPA) receptors \[[@R9]\]. The axon--spine interface decreased \~18% following sleep, compared with that during wake \[[@R10]\]. Homeostatic scaling-down of synaptic activities, which prepares synapses for new learning tasks, is a physiological function of sleep that relates to learning and memory. TNFα, a member of the type II transmembrane protein superfamily, is expressed in its full-length membrane-bound form (mTNFα), which is cleaved by the TNFα converting enzyme (TACE) to release the soluble peptide form of TNFα (sTNFα) \[[@R11]\]. TNFR1 may bind to either soluble TNFα or transmembrane TNFα but preferably binds to soluble TNFα, where activated TNFR1 triggers a complex apoptotic pathway \[[@R12]\]. In contrast, TNFR2 is preferentially activated by transmembrane TNFα and protects neurons against excitotoxicity \[[@R13]\]. In central nervous system (CNS), TNFR1 activation is associated with AMPA receptor trafficking, excitability, and seizure susceptibility. TNFα also plays a role in synaptic scaling up and cognitive development \[[@R14]\]. Numerous studies have indicated that S-DEP elevates TNFα levels in mice. However, the association between elevated TNFα levels and cognitive impairment remains unclear. Reportedly, TNFα induces synapse scaling by promoting the insertion of AMPA into the membrane. Thus, the current study investigated whether elevated TNFα levels in S-DEP brain contributed to cognitive impairment by interfering AMPA phosphorylation. Green tea, produced from the leaves of the plant *Camellia sinensis*, is one of the most widely consumed beverages in the world \[[@R15]\]. Tea polyphenols are natural products in green tea, which exhibit anti-oxidative, and anti-apoptotic effects. It has been shown that glutamate excitotoxicity induced oxidative stress is linked to neurodegenerative diseases such as Alzheimer's disease and Parkinson's disease. Tea polyphenols have also been reported to suppress the production of TNFα in the peripheral system \[[@R16],[@R17]\]. Above all, dietary polyphenols promote resilience against sleep deprivation-induced cognitive impairment by activating protein translation \[[@R18]\]. Therefore, we wonder if tea polyphenols could ameliorate S-DEP induced cognition impairments. Materials and methods ===================== Animals ------- The protocols for experiments conducted using animals during this study were approved by the national legislation of China and local guidelines. Eight- to ten-week-old C57BL/6J male mice from Jackson laboratory were used in the experiments. Mice were obtained from the Laboratory Animal Center of the Fourth Military Medical University. The animals were housed in groups of four in plastic boxes containing food and water, in a colony room under the following controlled conditions: temperature, 24 ± 2°C; humidity, 50--60%; luminous intensity, 100 lx; and light cycle, 8:00 a.m. to 8:00 p.m. Mice were allowed to adapt to laboratory conditions for at least 1 week before the procedure. All behavioral tests were performed between 9 and 12 a.m. on the designated day of the experiment. Drug treatments --------------- Thalidomide (Selleck Chemicals, Houston, TX, USA catalog S1193, 25 mg/kg), TAPI-0 (TNF-α Protease Inhibitor-0, Santa Cruz Biotechnology, Santa Cruz, CA, USA catalog sc-203410, 1 mg/kg) or tea polyphenols (Abcam, Cambridge, UK, catalog ab141940, 25 mg/kg) were intraperitoneally injected two times, once 24 h before S-DEP and once 30 min before S-DEP. Equal volume of saline was injected as control. Purity of tea polyphenols, determined by high-performance liquid chromatography, was over 95%. Tea polyphenols comprise four major epicatechin derivatives; epicatechin \[[@R8]\], epigallocatechin, epicatechin gallate, and epigallocatechin gallate. Induction of S-DEP ------------------ S-DEP was induced as described previously \[[@R19]\]. Briefly, mice were placed on platforms (2.5 cm in diameter), hovering 1 cm above the water surface, in a water-filled tank with 12 platforms. The platforms were spaced at a distance of 5 cm from each other so that mice could move freely from one platform to another. The mice had free access to water and food. When animals entered the rapid eye movement (REM) phase of sleep, they fell into the water due to muscle atony and the small platform size and were forced to awaken. The duration of REM deprivation (24 h) was determined on the basis of previous studies, in which mice deprived of REM for this period of time exhibited memory deficits in shuttle box tasks. During the sleep deprivation period (24 h), the temperature (23 ± 1°C) and light/dark cycle were both maintained under controlled conditions. This method resulted in a 95% deprivation of REM sleep and effectively decreased the time spent in slow-wave sleep by 31% \[[@R20]\]. Control group mice were not subjected to S-DEP and were housed in their home cages. Western blot analysis --------------------- Western blot analysis was performed as described previously \[[@R21]\]. Following sleep deprivation, mice were exposed to isoflurane vapors for \<1 min and rapidly decapitated. Each brain was carefully removed and immediately placed on ice (\<2 min relative to initial handling). The hippocampi were removed with micro scissors, frozen in liquid nitrogen, and stored at --80°C until further analysis. These frozen hippocampi were homogenized via ultrasonication in ice-cold radio-immunoprecipitation assay (RIPA) lysis buffer. The homogenate was separated via centrifugation at 14 000*g* for 15 min, and the supernatant containing total cellular proteins was collected. The protein concentration was determined using a microplate BCA protein assay kit (Pierce Biotechnology, Rockford, IL, USA), following which the samples were subjected to western blotting analysis. Equal amounts of protein (50 µg) from hippocampi were separated and electrophoretic transferred onto polyvinylidene fluoride (PVDF) membranes (Millipore, Billerica, Massachusetts, USA), and probed with antibodies against GluA1 (dilution ratio, 1:1000, Abcam), p-GluA1ser831 (dilution ratio, 1:1000, Cell Signaling Technology, USA), p-GluA1ser845 (dilution ratio, 1:1000, Cell Signaling Technology), TNFα (dilution ratio, 1:1000, Cell Signaling Technology), and TACE (dilution ratio, 1:1000, Abcam) and β-actin (dilution ratio, 1:10000, Sigma, St. Louis, Missouri, USA) as the loading control. For data quantification purposes, the band intensity of each blot was calculated as a ratio, relative to that of β-actin. The intensity ratio of the control group was set at 100%, and the intensities of other treatment groups were expressed as percentages of those of the control group. The membranes were incubated with horseradish peroxidase-conjugated secondary antibodies (anti-rabbit/anti-mouse IgG for the primary antibodies), and blots were developed using either standard or enhanced chemiluminescence detection (Millipore or Genshare Biological, Xi'an, Shaanxi, China) and imaged using a Tanon imaging system (Tanon 4200, Shanghai, China). Surface biotinylation assay --------------------------- For membrane GluA1 evaluation, after S-DEP, mice were sacrificed immediately and hippocampi were dissected. Surface GluA1 receptors were extracted following the guidelines of the Pierce Cell Surface Protein Isolation Kit (Thermo Fisher, Catalog 89881, Waltham, MA, USA). Briefly, hippocampi were washed with ice-cold PBS and transferred to a 2-mL tissue grinder and cut into small pieces with a pair of scissors. Tissues were reconstituted in 4 mL of biotin solution. The mixture was agitated for 30 min at 4°C, the labeling reaction halted with 200 μL of quenching solution, and the tissues washed two times with tris-buffered saline. The cells were resuspended in 500 μL of lysis buffer and lysed by sonication on ice. The resultant cell lysate was centrifuged at 10 000*g* for 2 min at 4°C and the clarified supernatant used for the subsequent affinity purification. Neutravidin agarose slurry (500 μL) was added to a snap cap spin column (Thermo Scientific, Rockford, Illinois, USA), washed three times with wash buffer, and incubated with the clarified cell lysate for 60 min at room temperature with end-over-end mixing. After centrifugation at 1000*g* for 1 min, the flow-through was discarded, and the beads washed three times with wash buffer. Proteins were eluted with 400 μL of SDS-PAGE sample buffer containing 50 mM dithiothreitol to cleave the disulfide bridge in the biotin label. Remove the column's top cap first and then the bottom cap. Place column in a new collection tube and replace top cap. Centrifuge column for 2 min at 1000*g*. Add a trace amount of bromophenol blue to eluate and analyze by Western blot. Store sample at --20°C if not used immediately. Shuttle box avoidance learning ------------------------------ The conditional stimulus in the shuttle-box apparatus was applied in the form of light from an electric bulb, while the unconditional stimulus was applied using an electric shock of 0.2 mA delivered to the paws of the mice through the grid floor of the apparatus. One hundred trials were performed, with a mean inter-trial interval of 60 s. Learning ability was evaluated by recording the frequency of successful avoidance of foot shock, by mice, using a software program (Shanghai Jiliang Software Technology Co LTD, Shanghai, China). Open-field test --------------- The open-field test was conducted as described previously \[[@R22]\]. The test was carried out in a square arena (30 cm × 30 cm × 30 cm) made of clear plexiglass walls and flooring, which was placed inside an isolation chamber with dim illumination and a fan. Mice were placed in the center of the box and allowed to freely explore the surroundings for 15 min. Mice were videotaped using a camera fixed above the floor and analyzed via a video-tracking system (Shanghai Jiliang Software Technology Co LTD). Elevated plus maze ------------------ The elevated plus maze (EPM) was constructed as described previously \[[@R23]\]. The apparatus (Dig Behv-EPMG, Shanghai Jiliang, China) comprised of two open arms (25 cm × 8 cm × 0.5 cm) and two closed arms (25 cm × 8 cm × 12 cm) that extended from a common central platform (8 cm × 8 cm). The apparatus was elevated to a height of 50 cm above floor level. For each test, an individual animal was placed in the center square, facing an open arm, and allowed to move freely for 5 min. Mice were videotaped using a camera fixed above the maze and analyzed via a video-tracking system. Entry was defined as all four paws placed inside an arm. The number of entries and time spent in each arm were recorded. Statistical analysis -------------------- Statistical analysis was conducted by GraphPad Prism version 7.0 (GraphPad Software, Inc., La Jolla, California, USA). Data were gathered from at least three independent experiments and were presented as mean ± SEM. Statistical analysis was carried out by one-way ANOVA followed by the Student--Newman--Keuls test. Two-tailed Student *t*-tests were used to compare differences between the two groups when indicated. The values were considered significantly different when the *P* value was \<0.05. The *P* values in the figures represent the results of the one-way ANOVA or Student's *t*-test. *P* \< 0.05 was considered significant. Results ======= S-DEP induced a tumor necrosis factor α dependent AMPA receptors translation onto membrane ------------------------------------------------------------------------------------------ Elevated water plates were used by the current study to induce sleep deprivation for 24 h, following which differences in protein levels were determined. Phosphorylated GluA1 (at Ser845 and Ser831) but not total GluA1 was increased in S-DEP mice compared with Control (Con) group (Fig. [1](#F1){ref-type="fig"}a). This result indicates S-DEP only affects phosphorylation state of GluA1 but not its expression. Reinsertion of GluA1 subunits at post-synaptic densities in the membranes was increased due to phosphorylation of GluA1, raising the question of whether membrane GluA1 is altered following S-DEP. Membrane proteins were separated after being labeled with biotin. Moreover, membrane GluA1were increased following S-DEP (Fig. [1](#F1){ref-type="fig"}b). To detect the underlying mechanism, both increased TNFα and TACE, which cleaves membrane TNFα to soluble TNFα, were found (Fig. [1](#F1){ref-type="fig"}c). Previously, TNFα has been reported to induce synaptic scaling in the mouse brain, therefore, we hypothesized that increased TNFα may induce AMPA trafficking into the membrane. In order to test this hypothesis, TAPI-0, an inhibitor of TACE, and thalidomide, an inhibitor of TNFα, were administrated. Results indicated that both TAPI-0 and thalidomide could block increased phosphorylated GluA1 in S-DEP mice (Fig. [2](#F2){ref-type="fig"}). These results indicated that S-DEP increased membrane GluA receptors via a TNFα dependent pathway. ![Effects of sleep deprivation on protein levels. (a) Western-blot samples of p-GluA1~ser831~, p-GluA1~ser845~ and GluA1. (b) Western-blot samples of membrane GluA1. (c) Western-blot samples of TNFα and TACE. *n* = 5 mice per group; unpaired student *t*-test, \*\**P* \< 0.01 versus control mice. Band intensities were quantified as a percentage of values from control mice hippocampi. S-DEP, sleep deprivation; TACE, TNFα converting enzyme.](nr-31-857-g001){#F1} ![Effects of blocker, TAPI-0, on p-GluA1~ser831~, p-GluA1~ser845~, and GluA1 levels in S-DEP mice. (a) Western-blot samples of p-GluA1~ser831~, p-GluA1~ser845~ and GluA1. (b) Densitometric analysis of p-GluA1~ser831~, p-GluA1~ser845~ and GluA1 of corresponding bands relative to β-actin bands = 5 mice per group; unpaired student *t*-test, \*\**P* \< 0.01 versus control mice, ^\#\#^*P* \< 0.01 versus S-DEP mice. Band intensities were quantified as a percentage of values from control mice hippocampi. S-DEP, sleep deprivation.](nr-31-857-g002){#F2} Blocking tumor necrosis factor α converting enzyme/tumor necrosis factor α pathway protected S-DEP mice from impaired learning ability -------------------------------------------------------------------------------------------------------------------------------------- Increased TNFα levels have reportedly induced hippocampi-dependent cognitive impairment in rodents \[[@R19]\]. The current study deprived mice of sleep for 24 h, following which behavioral testing was conducted. As indicated by an active avoidance test recorded via the shuttle box, S-DEP significantly decreased the learning curve of S-DEP mice, but this decrease was significantly reversed by TAPI-0 treatment (Fig. [3](#F3){ref-type="fig"}a). An open-field test and an elevated plus maze were used to test anxiety-like behavioral patterns. In the open-field test, both the total distance traveled and time spent in the center area was decreased in S-DEP mice. In the EPM test, no difference in the total number of entries into open and closed arms was found between control and S-DEP mice. However, the number of entries into open arms and the time spent therein were notably decreased in S-DEP mice. These impairments were also protected by TAPI-0 (Figs. [3](#F3){ref-type="fig"}b, c). These results indicated that S-DEP induces learning and memory deficits and anxiety-like behaviors, which could be ameliorated by blocking the TACE/TNFα signaling pathway. ![Sleep deprivation-induced memory impairment and anxiety-like behaviors. (a) Frequency of successful avoidance in 60 trials of the active avoidance test. (b) Sample traces of locomotor activity in the open-field test (Left). S-DEP significantly reduced the total distance traveled and time spent in the center area (Right). (c) Sample traces of locomotors activity in the elevated plus maze test (Left). S-DEP significantly reduced entry into open arms and time spent in open arms (Right). *n* = 5 per group; two-way ANOVA, ^\*\*^*P* \< 0.01 versus control mice, ^\#\#^*P* \< 0.01 versus S-DEP mice. S-DEP, sleep deprivation.](nr-31-857-g003){#F3} Tea polyphenols decreased tumor necrosis factor α levels in the hippocampi of S-DEP mice ---------------------------------------------------------------------------------------- Pretreatment with tea polyphenols has been reported suppressed TNFα production in LPS induced liver injury \[[@R24]\]. Thus, we questioned whether tea polyphenols regulate TNFα production in the S-DEP mouse brain. Following S-DEP, the mice were immediately sacrificed and their hippocampi were dissected on ice. Protein levels were evaluated via western blot. As the results indicated, tea polyphenols treatment did not affect either TNFα nor TACE level in Con mice. However, tea polyphenols significantly decreased TNFα in the hippocampi of S-DEP mice (Fig. [4](#F4){ref-type="fig"}a). On the contrary, tea polyphenols also reduced TACE levels in S-DEP mice, but TAPI-0 did not (Fig. [4](#F4){ref-type="fig"}a). Furthermore, co-administering of TAPI-0 and tea polyphenols did not decrease TNFα in S-DEP mice any further (Fig. [4](#F4){ref-type="fig"}b). These results indicated that tea polyphenols suppressed the over-activated TACE/TNFα pathway. ![Tea polyphenols suppressed TNFα/TACE pathway activation and elevated membrane GluA1 in S-DEP mice. (a) Western-blot samples of TNFα, TACE, membrane GluA1 and total GluA1 following tea polyphenols treatment in S-DEP mice (left). Tea polyphenols significantly reduced TNFα, TACE and GluA1 levels in S-DEP mice (right). (b) Western-blot samples of tea polyphenols and TAPI-0 co-treatment in S-DEP mice (left). Tea polyphenols and TAPI-0 co-treatment did not further reduce TNFα, TACE and GluA1 levels in S-DEP mice (right). *n* = 5 per group; one-way ANOVA or two-way ANOVA, \*\**P* \< 0.01 versus control mice, ^\#\#^*P* \< 0.01 versus S-DEP mice. S-DEP, sleep deprivation; TACE, TNFα converting enzyme.](nr-31-857-g004){#F4} Tea polyphenols protected impaired learning ability in active avoidance test ---------------------------------------------------------------------------- Because the findings of the current study established that tea polyphenols suppress TNFα levels in S-DEP mice, we questioned whether tea polyphenols ameliorates the impaired learning ability of S-DEP mice. Tea polyphenols were administered as stated above. As indicated by the results, tea polyphenols relieved the impaired learning ability of S-DEP mice (Fig. [5](#F5){ref-type="fig"}a). The open-field test demonstrated that tea polyphenols increased the time spent in the center area (Fig. [5](#F5){ref-type="fig"}b), while the elevated plus maze showed that tea polyphenols increased entry into open arms (Fig. [5](#F5){ref-type="fig"}c). Considered together, these results indicated that tea polyphenols protect the learning ability of S-DEP mice and produce anxiolytic effects. ![Tea polyphenols treatment attenuated memory impairment and anxiety-like behaviors. (a) Tea polyphenols treatment increased successful avoidance, active avoidance test. (b) Tea polyphenols treatment increased total distance and center time in the open-field test. (c) Tea polyphenols treatment increased open arms entrance and time in the elevated plus maze test. *n* = 5 per group; two-way ANOVA, \*\**P* \< 0.01 versus control mice, ^\#\#^*P* \< 0.01 versus S-DEP mice. S-DEP, sleep deprivation.](nr-31-857-g005){#F5} Discussion ========== In this study, we found that TNFα increased synaptic scaling by down-regulating Homer1a expression in the hippocampi, resulting in cognitive impairment. Tea polyphenols prevented the elevation of TNFα and inhibited cognitive impairment in S-DEP mice. Furthermore, S-DEP induced phosphorylation of AMPA receptors, via TNFα upregulation, was reduced by tea polyphenols. Considered together, these results demonstrated that tea polyphenols may protect against S-DEP induced cognitive impairment via the TNFα/AMPA dependent pathway. Sleep is critical for learning and memory consolidation \[[@R25]\]. In regard to declarative memory, slow-wave sleep is known to exert a beneficial effect on the consolidation of memories acquired during sleep that precedes wakefulness. Sleep deprivation-induced sustained high membrane AMPARs levels, thereby impairing the balance between GABA and glutamate receptors on excitatory cortical neurons \[[@R9]\]. Thus, attenuation of membrane AMPARs levels shows promise as a treatment for S-DEP induced memory impairment. Mechanisms underlying the increase in membrane AMPARs following S-DEP, may involve enhanced TNFα levels in the brain. TNFα -TNFR signaling has attracted great attention owing to its role in CNS associated pathologies. TNFα activates the membrane-bound TNF receptors, TNFR1 and TNFR2. Although TNFR1 is able to bind either soluble TNFα or transmembrane TNFα, it preferably binds to soluble TNFα, whereby this receptor is activated, triggering a complex apoptotic pathway. In contrast, TNFR2 is preferentially activated by transmembrane TNFα and protects neurons against excitotoxicity \[[@R13]\]. In the CNS, activation of TNFR1 is associated with AMPA trafficking, enhanced excitability, and seizure susceptibility. TNFα also plays a role in synaptic scaling and cognitive development \[[@R26]\]. Thus, a properly titrated level of TNFα is required for normal brain function. Our results indicated that S-DEP induced higher levels of membrane AMPA receptor in a TNFα dependent manner. Tea polyphenols suppressed higher levels of TNFα caused by S-DEP, thereby protecting learning and memory. This effect was not enhanced by thalidomide, a TNFα blocker, indicating that they shared the same pathway. However, tea polyphenols regulation of TNFα levels downstream of the pathway requires further study. Therefore, the possibility that tea polyphenols may protect learning and memory via other antioxidant effects cannot be excluded \[[@R27]\]. Long-term tea polyphenols consummation may also induce some epigenetic changes to participate in cognition protection \[[@R18]\]. Despite this poor efficiency of oral absorption (0.1--10%) \[[@R28]\], the high catechin content typically found in brewed tea results in plasma levels of catechins between 1 and 2 μmol/L and between 1 and 2 h post-consumption of tea by human subjects. In summary, our research indicates that increased TNFα in tea polyphenols ameliorate memory impairment caused by sleep deprivation. The study also revealed the mechanisms underlying the benefits of drinking tea. Acknowledgements ================ This study was supported by grants from the National Natural Science Foundation of China (No. 81771227). Conflicts of interest ===================== There are no conflicts of interest. Haifan Yang, Jiangang Xie and Wei Mu contributed equally to the writing of this article.
null
minipile
NaturalLanguage
mit
null
Introduction {#Sec1} ============ Detection of genetic variants such as SNVs, insertions and deletions (INDELs), and structural variants (SVs) is one of the major objectives for the usage of next generation sequencing (NGS) in human genome research. Currently, genetic variant calling is based on alignment of raw sequence reads against a reference genome. This alignment-based approach has many limitations including incompleteness of genome assembly^[@CR1]^, structural variations existing in the genomes of normal individuals^[@CR2]^, sequencing errors in reads, and interference of single nucleotide polymorphisms (SNP) on reads mapping^[@CR3]^. Thus, high levels of false positives of variant calling are reported for the alignment-based approach. In bacteria and other organisms with a small size of genome, read sequences can be assembled into long contigs, and subsequent variants can be identified via an assembly-based approach. Although the *de novo* assembly-based approach has been considered as the ideal for genetic variants detection^[@CR4],\ [@CR5]^, it has not been widely applied on large and complex genomes. Recently, several attempts using this approach for human subjects have been reported^[@CR6]--[@CR8]^. Hundreds of thousands of novel mutations were identified in *de novo* assembled personal genomes^[@CR8]^. However, there is no direct comparison with alignment-based calling to demonstrate the reliability of assembly-based variant calling. It is of interest to see if SOAPdenovo, a popular genome assembly method that was used in previous assembly-based studies^[@CR9]--[@CR11]^, could be suitable for the purpose of SNV calling, and to its further extension, whether coverage of reads would have some impact on the outcomes of genome assembly and SNV calling. In this study, we assessed the performance of SNVs calling at various coverages of short reads with contigs generated by SOAPdenovo2^[@CR12]^, the latest version of SOAPdenovo. We simulated short reads from the whole human genome for comparison between the assembly-based and alignment-based calling approaches. We assessed the quality of the assembled contig and determined that at least 30X coverage of sequencing reads were needed to obtain a reliable contig profile. By comparing SNVs called from alignment of assembled contigs and from alignment of reads to the "ground truth" (SNVs introduced into the template reference for simulation), we directly evaluated the performance of the two variant calling approaches. We repeated this analysis process with reads sets from whole genome sequencing (WGS) of NA24385, an individual whose genome was fully sequenced and analyzed by the Genome In A Bottle (GIAB) consortium. Similar results were obtained with experimental reads. We concluded that although an assembly-based approach (with SOAPdenovo2 as the assembly tool) might serve as a complimentary method for SNVs discovery, there were many false SNVs and missed calls due to sequence difference of two alleles in a diploid genome, such as the human genome. Results {#Sec2} ======= Study workflow {#Sec3} -------------- The overall workflow is described in Fig. [1](#Fig1){ref-type="fig"}. First, \~3.6 million variants were randomly selected from a variant pool and then introduced into the human reference genome to generate the template genome for reads simulation. The simulated sets of reads were generated at coverages of 2X, 5X, 10X, 15X, 20X, 30X, 50X, and 100X. Then, both alignment-based and assembly-based calling pipelines were applied to those sets of reads for variant calling. The conventional alignment-based variant calling pipeline was implemented with a software package of BWA-MEM and GATK, whereas SOAPdenovo2 was used to generate contigs which were then mapped back to the reference genome by Nucmer. The SNV callings from the alignment of assembled contigs were done by the "show-snps" executable in the MUMmer package. In addition, we applied FermiKit to call variants based on *de novo* assembled unitigs. Recall rate and precision were then calculated for three variant calling approaches. Finally, variants from the alignment-based and assembly-based processes were compared to identify variants that were missed by the alignment-based but recovered by the assembly-based approach.Figure 1Study workflow. For data preparation, simulated reads were generated by VarSim and ART with a pre-set variant pool. Experimental reads from GIAB project (NA24385) were used for validation. Both alignment-based and assembly-based variant calling approaches were applied on these two data sets for comparison, and the variants called by different pipelines were compared to the ground truth, variants introduced into the template reference for simulation or high confident germline variants for individual NA24385. To validate conclusions derived from simulated data set, we repeated this valuation process with a date set of WGS reads for individual NA24385^[@CR13]^. We used a "downsampling" approach to create eight subsets of reads from 2X to 100X coverages, as used in simulated sets, by randomly extracting reads from the original set of WGS reads (total of 300X coverages). We used high confident variant calls on this individual provided by the consortium as ground truth to evaluate the precision and rate of recall from alignment-based and assembly-based approaches. Quality metrics for de novo assembled contigs {#Sec4} --------------------------------------------- From the basic statistics of assembled contigs by SOAPdenovo2 with simulated reads, we observed a dramatic increase in number of contigs and total assembly length between coverage 2X and 30X. These values were stabilized from 30X up to 100X (Table [1](#Tab1){ref-type="table"}). Even though we did not observe further improvement in total number and length of contigs between 30X and 100X, the maximum length of contigs for 100X coverage was double that of 30X, suggesting the benefit of higher coverage of reads for further extension of assembled contigs. This process was repeated with reads set from NA24385, in which, however, we observed continuous modest increase of number of contigs and total assembly length.Table 1Statistics of *de novo* assembly result with different reads coverages.CoverageDataset\# ContigsTotal contig lengthMax. lengthN 50Dataset\# ContigsTotal contig lengthMax. lengthN50**2xSimulated Data**140,78814,283,1372,69295**Real Data (From NA24385)**369,65241,624,1886,467127**5x**1,162,25318,299,2156,9082102,402,265433,500,65042,569222**10x**6,347,9891,367,683,5999,4242528,074,7401,978,632,97542,639307**15x**9,550,0452,507,407,97614,3753469,456,2702,778,146,70042,633464**20x**9,754,1253,010,504,62729,4425569,394,8033,126,114,48131,095783**30x**9,941,0903,322,715,81032,56513519,335,1303,343,901,05949,2561720**50x**9,745,1943,403,686,06866,702309010,064,3053,467,308,41165,8002450**100x**8,279,6793,316,291,53980,998373611,571,4043,592,236,26972,9302362 An *Nx* plot demonstrated the *Nx* values, with ranges between 0--100%, where *Nx* is defined as the length of the shortest contig in the set of the X% largest contigs that represents at least X% of the assembly. Here, we used an *Nx* plot to present a better picture on the continuity of contigs against coverage of reads. We observed the continuous benefit in contig length when increasing coverage of reads between 2X and 50X (Fig. [2a,d](#Fig2){ref-type="fig"}). There was a large improvement on contig continuity from 30X to 50X, while this difference was not as such obvious in statistics presented in Table [1](#Tab1){ref-type="table"}. In addition, we noticed that the continuity of contigs did not gain much when 100X reads were used.Figure 2Contig continuity, genome and gene coverages for de novo assembly with SOAPdenovo2. (**a**,**d**) N statistics for different coverages. (**b**,**e**) Coverage of genome, gene, and exon regions by contigs. (**c**,**f**) Number of genes covered by assembled contigs. Fully covered gene: all regions in the gene were covered by mapped contigs. Partially covered gene: only part of regions in the gene were covered by mapped contigs. (**a--c**) Statistics of simulated reads. (**d--f**) Statistics of experimental reads. We also investigated the coverage of genome, genes and exons by the assembled contigs against the coverage of reads used in the *de novo* assembly by aligning contigs to the reference genome. When we combined fully and partially covered genes or exons, we observed a similar pattern of increasing coverage by assembled contigs on genome, genes, and exons with the increasing coverage of reads (Fig. [2b,e](#Fig2){ref-type="fig"}). Again, all three curves were stabilized at around 80% to 90% when reads coverage reached 30X and beyond. By extending the length of the assembled contigs, the increasing coverage also improved the number of fully covered genes and exons. However, for both simulated and experimental reads data sets, further increasing of reads coverages from 50X to 100X did not see much of benefit for the coverage of genes and exons (Fig. [2c,f](#Fig2){ref-type="fig"}). These results were consistent with the results for continuity of assembled contigs (Fig. [2a,d](#Fig2){ref-type="fig"} **)**. From the quality metrics, we demonstrated that larger coverage of reads would always result in better assembly outcomes, whereas the contig profile generated with low coverage (\<=10X) was mostly incomplete for gene coverage. For 100 bp pair-end read sets with 50X coverage, almost all genes could be fully or partially covered by *de novo* assembled contigs. This statistic did not improve much at 100X coverage of reads. Therefore, for comparison of variant calling between alignment-based and assembly-based approaches, we only investigated their performance with reads coverages between 10X and 50X. Performance of variant calling {#Sec5} ------------------------------ We compared the "ground truth" with the variants called at all coverages of simulated reads from both the alignment-based and assembly-based processes to calculate the recall rates and precisions as described in the methods section. With the alignment-based variant calling, the number of true SNVs called continuously increased until 30X coverage of reads (Fig. [3a](#Fig3){ref-type="fig"}). Interestingly, the number of false SNV calls was also increased along with coverage within this span. We did not observe further increase of either true SNVs or false SNVs at higher than 30X coverage of reads, suggesting that a 30X coverage of reads is sufficient for the alignment-based approach. More than 99% of SNVs were successfully recalled with 30X coverage of reads (Table [2](#Tab2){ref-type="table"}). For the assembly-based approach, we also observed continuous increase of true SNVs along with increase of reads coverage until it reached a plateau at 30X (Fig. [3b](#Fig3){ref-type="fig"}). It is worth noticing that the number of true SNVs and total called SNVs from the assembly-based approach were significantly lower than those from the alignment-based approach. With 50X coverage of reads, recall rate for the assembly-based approach was only 56% (Table [2](#Tab2){ref-type="table"}). The high false negative rate might be due to low contig coverage on the whole human genome. As shown in Fig. [3c](#Fig3){ref-type="fig"}, the recall rate for the alignment-based approach reached a plateau at 30X coverage of reads, while the precision curve was pretty steady at around 90% throughout all the tested coverage range. In contrast, we observed two parallel curves of recall rate and precision with the assembly-based approach. Moreover, both recall rate and precision for the assembly-based calling were significantly lower than ones for the alignment-based approach.Figure 3Performance of variant calling. (**a**) Alignment-based approach; (**b**) Assembly-based approach. Green and red bars represented true SNVs and false positives, respectively. (**c**) The recall and precision of both alignment-based and assembly-based variant calling. Red and green solid lines were recall rate and precision for alignment-based variant calling, respectively. Dashed red and green lines were recall rate and precision for assembly-based variant calling, respectively, whereas the dashed blue line was the recovery rate of missed variants in alignment-based variant calling. Table 2Variant calling result from alignment-based and assembly-based approaches.Coverage10x15x20x30x50x**Alignment-based Variant Calling**Recall0.890.960.980.990.99Precision0.900.900.890.890.88Missed variants341,558120,80454,59125,78817,850**Assembly-based Variant Calling**Recall0.240.430.500.540.56Precision0.670.810.870.920.93Recovered Variants10,8439,0605,7562,8921,797Recovery Rate3%7%11%11%10% We further investigated variants which were missed in the alignment-based variant calling process and checked how many of them were recovered by the assembly-based approach. As shown in Table [2](#Tab2){ref-type="table"}, even with 50X coverage of reads, the alignment-based approach missed 17,850 SNVs, of which 10% were recovered by the assembly-based approach. These results suggest that the assembly-based approach could be used as a complementary method to the alignment-based approach. However, at lower coverages, the assembly-based variant calling could not recover a significant number of SNVs due to the low quality of the assembled contigs. Finally, we explored the possible reasons why so many SNVs failed to be called with the assembly-based approach by examining allele types of the SNVs introduced in reads at all coverages. As shown in Table [3](#Tab3){ref-type="table"}, SNVs recalled by the assembly-based approach were predominantly homozygous, whereas SNVs failed to be recalled were predominantly heterozygous. This finding indicates a systematic error in the assembly-based approach that leads to recall bias for homozygous SNVs.Table 3Ratio of two allele types within recalled and missed SNVs by assembly-based approach.Coverage10x15x20x30x50x**Homo/Hetero ratio: recalled**2.041.791.721.651.55**Homo/Hetero ratio: missed SNV**0.470.290.210.170.17 We also investigated the performance on INDEL discovery by both approaches. For the alignment-based approach, the precisions were constantly maintained around 80% and recall rates were gradually improved from 52 to 63% for coverage of 10X and 30X respectively. Like SNV calling, the performance of INDEL calls were indistinguishable with reads coverage of 30X and 50X (Suppl Table [s1](#MOESM1){ref-type="media"}). On the other hand, the precision and recall rate for INDEL calling by the assembly-based approach were dropped to 13% and 11% respectively, indicating its insignificance for calling INDELs. We repeated the evaluation process with real experiment reads for NA24385 at the coverages of 30X, 50X and 100X (Table [s3](#MOESM1){ref-type="media"}). The performances of variant calling of the assembly-based approach were indistinguishable for three coverages. This result provided further evidence for the lack of need to increase short reads coverage to 100X for genome assembly with SOAPdenovo2. For experimental reads at 50X coverage (Table [4](#Tab4){ref-type="table"}), the precision and recall rate for both alignment-based and assembly-based approaches were very comparable to the results from simulated reads (Table [3](#Tab3){ref-type="table"}). Further assembly of contigs into scaffold did not appear to increase either on recall rate, nor precision of SNV calling. Besides MUMmer, we also tried asmVAR^[@CR14]^ which used LAST^[@CR15]^ as the alignment tool for contig-based variant calling. We observed higher recall rate (0.74 vs. 0.51) but lower precision rate (0.74 vs. 0.94) compared to results from MUMmer (Table [3](#Tab3){ref-type="table"}). However, when we used FermiKit which would resolve the haplotype of contigs to uncover SNVs, its precision and recall rate were very comparable to those yielded from the alignment-based approach (Table [4](#Tab4){ref-type="table"}). In addition, Fermikit recoverd 3,045 SNVs which accounted for 44% of SNVs missed by BWA-GATK germline SNV calling process (Fig. [4](#Fig4){ref-type="fig"}). The ability of calling INDELs by FermiKit also increased dramatically (Table [s2](#MOESM1){ref-type="media"}).Table 4Variant calling performance of different approaches with 50X coverage of experimental reads.SNVAlignment-based approachAssembly-based approach (SOAPdenovo)Unitig-based approach**AlgorithmBWA-GATKMUMmerasmVARFermiKitInput TypeReadsContigsScaffoldsContigsUnitigsTP**3,503,5291,803,8911,810,1002,613,5763,434,979**FP**528,789115,787189,185927,616376,945**FN**6,8131,706,4511,700,242896,76675,363**Recall**0.990.510.520.740.98**Precision**0.870.940.910.740.88 Figure 4Venn Diagram to compare the performance of three variant calling algorithms to the ground truth set, retrieved from GIAB project. Alignment: variant calling with BWA-GATK pipeline; Assembly: variant calling with SOAPdenovo-MUMmer; Unitig: variant calling with FermiKit; Ground Truth: High confident calls provided by GIAB. Moreover, we investigated the genomic region of variants called by each approach, which was annotated by Annovar based on refGene (<http://refgene.com>). As a result, we observed the variant callings on all regions (coding sequences (CDS), intronic, untranslated regions (UTRs), etc.) are evenly distributed, as they showed no significant difference in recall (Fig. [5a](#Fig5){ref-type="fig"}). We did see a lower precision in CDS and intergenic regions comparing to other genomic regions by alignment-based approach (Fig. [5a](#Fig5){ref-type="fig"} **)**. While this bias only happened to the alignment-based approach but not to the other two approaches (assembly-based and unitig-based), it suggested that the assembly-based approach would be able to partially correct such bias. Since the genome regions for NA24385 have been marked with high and low confidence based on sequence coverage by multiple sequencing platforms^[@CR16]^, we sought the possible tie between confident regions and the performance of SNV calling. As we expected, regardless of which approach was used, most true positive callings were located in the high confidence regions, where false positive callings were most likely located in the low confidence regions (p \< 0.001, Fig. [5b](#Fig5){ref-type="fig"}).Figure 5Genomic locations of variant called by three approaches. (**a**) The recall and precision ratio for each genome region. Red, blue and green bars represented alignment-based, assembly-based and unitig-based approaches, respectively. (**b**) Distribution of SNV callings in high and low confidence region. For each bar, dark color represented SNV called in high confidence region and light bar represented SNVs in low confidence region. The difference of high-confidence SNV ratio between True positive and false positive is significant (P \< 0.001). Discussion {#Sec6} ========== Although alignment-based variant calling is commonly used to identify genetic variants in human genomes, a high level of false positive variant calls is an issue due to multiple factors such as incompleteness of the reference genome used, a large number of SNPs and structural variants among individuals leading to mapping bias. Another approach is to use long contigs assembled from short reads to detect variants by comparison with a reference genome. The assembly-based approach has been widely used in analysis of genomes of monoploid organisms such as bacteria^[@CR17]--[@CR19]^. Recent studies have tried assembly-based approach on human genomes and reported hundreds of thousands of variants that lacked ground truth or supporting validation. The validity of assembly-based calling hence remains questionable. In this study, we used a random selection of \~3.6 million variants from a pool with 505 million variants to simulate short reads at various coverages. We used those sets of simulated short reads to address the following questions: (1) what is the minimum reads coverage to yield a high recall rate and precision for the alignment-based approach? (2) What is the minimum reads coverage to get good assembled contigs? (3) Will the assembly-based approach provide reliable variant calls and thus serve as a complimentary role for variant detection in human genome research? With SOAPdenovo2, the latest version of assembler used in previous assembly-based studies^[@CR20]^, we assembled the simulated short reads into long contigs. After examining several quality metrics for assembly outcome, such as continuity, contig coverage on reference genome, genes, and exons, we observed continuous benefit with increasing coverage of reads until it reached 50X, where almost all genes could be fully or partially covered by the *de novo* assembled contigs. Further increasing reads coverage to 100X did not seem increase contig continuity and coverage of genes. However, in order to get a higher coverage of genome and more fully covered genes by assembled contigs, we recommend use of a higher than 30X coverage of short reads. We also examined the reads coverage effect on recall rate and precision of the alignment-based approach. When reads coverage was lower than 10X, we observed a large number of SNVs that were missed. However, with a 15X coverage of reads, more than 96% of SNVs were successfully recalled. When reads coverage reached 30X, 99% of the SNVs were recalled. On the other hand, the precision of SNV calling remained constant at around 90% throughout all the tested ranges, suggesting that the problem of false positives with the alignment-based approach could not be resolved by simply increasing reads coverage. We used MUMmer for alignment of the assembled contigs against the reference genome and called SNVs with a module in the MUMmer package. MUMmer is a well-tested alignment tool for long sequence query against a large reference genome because of its high performance on speed, accuracy and scalability^[@CR21]^. We therefore developed a framework with MUMmer that not only performs quality assessment for genome assembly outcomes, but also carries out assembly vs. reference alignment as the underlying driving engine and eventually makes variant calls directly. With our framework, we were able to examine the recall rate and precision for the assembly-based variant calling process. We observed that the number of true SNVs and the total called SNVs from the assembly-based approach were significantly lower than the metrics from the alignment-based approach. With a 50X coverage of reads, recall rate for the assembly-based approach was only 56%. The curves for recall rate and precision vs. reads coverage were in parallel, suggesting that, unlike the alignment-based approach, increasing reads coverage for the assembly-based approach would have impact on both false positive and false negative SNV calls (Fig. [3c](#Fig3){ref-type="fig"}). These results were confirmed by a repeated process where experimental reads were used. At each of the reads coverages, we examined the SNVs that were missed by the alignment-based approach to calculate the percentage of the SNVs recovered by the assembly-based process. To our surprise, even at a high coverage of short reads, only \~11% of the SNVs missed by the alignment-based approach were recovered by the assembly-based approach, suggesting that the complementary effect of the assembly-based approach was small. Finally, we investigated the possible reasons for the low recall rate of the assembly-based approach by examining the allele types in the recalled and missed SNVs. We observed that SNVs recalled by the assembly-based approach were predominantly homozygous, whereas SNVs failed to be recalled were predominantly heterozygous, indicating a systematic error in the assembly-based approach that leads to recall bias for homozygous SNVs. The underlying algorithm used in SOAPdenovo2 is a *de Bruijn* graph that requires generation of graphic nodes with k-mer seed sequences. All possible combinations of the graphic nodes were searched within the entire input of reads. Should reads distinguish each other only due to allele differences or sequencing errors, the consensus sequence for this group of reads would be used. This error correction process would thus collapse reads from two alleles into a single haplotype. As a result, homozygous SNVs would be called correctly with the assembly-based approach, whereas heterozygous SNVs would have no more than 50% of chance to be called correctly. Our result demonstrated that contigs generated by SOAPdenovo2 could not perform well on SNV calling for human genome, primarily due to its loss of information on read coverage and diploidy. Improvement on assembly or variant calling which overcomes current limitations might lead to better performance and make a contig-based approach more useful. As matter of fact, when we used FermiKit, an assembly tool that would preserve haplotype information in assembled contigs/unitigs, we observed precision and recall rate at very similar levels to that with alignment-based approach. With the simulated and experimental data we evaluated the effect of reads coverage on *de novo* genome assembly with SOAPdenovo2, and SNV calling with the alignment-based and assembly-based approaches. We concluded that the higher the coverage of short reads, the better the assembly outcomes. At least 50X coverage of reads were required in order to warrant good assembled contigs that would cover 80% of the human genome. For the alignment-based SNV calling, more than 99% of SNVs could be accurately recalled at 30X coverage of reads, whereas only 56% of SNVs could be recalled by the assembly-based process at 50X coverage of reads. Nevertheless, the assembly-based process could recover merely 11% SNVs that might be missed by the alignment-based approach. The low recovery rate of SNVs by the assembly-based approach was due to inability of haplotype-resolved assembled contigs by SOAPdeno2. Methods {#Sec7} ======= Data simulation {#Sec8} --------------- We used VarSim^[@CR22]^ and ART^[@CR23]^ to simulate short reads with a fixed variant pool. The variants were obtained from the VarSim website as described in the quick start demo (<http://web.stanford.edu/group/wonglab/varsim/>), including SNVs, INDELs and SVs, primarily from dbSNP (build 144). In addition, we added an extra 400,000 SNVs from sample NA12878, reported by the Genome in a Bottle (GIAB) project (<https://sites.stanford.edu/abms/giab>) and thus created a pool of 505 million variants. We randomly selected \~3.6 million variants from this pool and introduced them into the human reference genome (hs37d5) with VarSim to create a template genome. We then applied this template genome to ART and simulated 100 bp pair-end reads at coverages of 2X, 5X, 10X, 15X, 20X, 30X, and 50X with introducing random errors. The fragment size of pair-end reads was set to a mean value of 350 bp with standard deviation (SD) of 50 bp. Whole genome sequencing reads for NA24385 {#Sec9} ----------------------------------------- Raw sequence reads for an individual, NA24385 (ftp://ftp-trace.ncbi.nlm.nih.gov/giab/ftp/data/AshkenazimTrio/HG002_NA24385_son/NIST_HiSeq_HG002_Homogeneity-10953946/HG002_HiSeq. 300x_fastq/) were downloaded from the GIAB official website. Genomic DNA of each individual was sequenced by Illumina HiSeq with 148 bp pair-ended reads at 300X coverage. Of total of 935 pair-end fastq files, there were 4 million reads in each file. We pooled the first 102, 167, and 327 files to create data sets with coverage of 30X, 50X, and 100X respectively. In addition, germline variants in these individuals have been well characterized by the GIAB with various technology platforms and different bioinformatics discovery tools. High-confidence variant calls for these two individuals have been released by the consortium as references. We downloaded the recent release of VCF files (v3.2.2) for NA24385 (ftp://ftp-trace.ncbi.nlm.nih.gov/giab/ftp/release/AshkenazimTrio/HG002_NA24385_son/NISTv3.2.2/) and their associated BED files for high-confidence genomic regions from NCBI for this study, where high-confidence genomic regions were defined based on coverage of sequencing reads from various NGS platforms, insistency of genotype calling, and sequences homologues (<https://github.com/genome-in-a-bottle/giab_FAQ>). De novo Genome assembly {#Sec10} ----------------------- We used SOAPdenovo2 to perform *de novo* assembly with the simulated reads. Since we did not include jumping reads, pair-end reads with a large insert size, which were for the purpose of building scaffolds, we only ran the first two steps, pregraph and contig, for SOAPdenovo2 with 63-mer of seed size. We applied the same parameters for assembly processes for all coverages of the simulated reads. We used 48 CPUs on a single node of the HPC cluster with 2000 GB memory for each assembly run. Contig quality assessment {#Sec11} ------------------------- An in-house software package was used to assess the contig quality metrics and the coverage of the reference genome. This in-house tool, developed in Java, maximized the usage of available computational resources by performing contig alignment and post processing in parallel. Its flexible design allowed split jobs being run either on a high performance computing (HPC) cluster or a multi-core workstation. Based on carefully filtered alignment, it generated statistics such as the total genome coverage, gene and exon coverage, contig duplication as well as SNVs embedded in the assembly. This framework also provided stand-alone quality statistics such as contig size distribution, N*x* statistics, etc. Alignment-based and Assembly-based Variant calling {#Sec12} -------------------------------------------------- For alignment-based variant calling process we first mapped the simulated reads against the human reference genome (hs37d5, the same version used for the simulation) with BWA-MEM^[@CR24]^. We then used Picard (<http://broadinstitute.github.io/picard/>, Version 1.110) to mark and remove repeated reads, to sort and create indexes on alignment bam files before applying the HaplotypeCaller in the GATK package (Version 3.1.1)^[@CR25]^ for final variant calling. We used MUMmer^[@CR21]^ to map contigs onto the human reference genome and then called variants via Nucmer program. Nucmer (NUCleotide MUMmer) was designed for standard DNA sequence alignment and could handle multiple reference and multiple query sequences^[@CR26]^. Since Nucmer could not use the whole human genome as a reference, we ran each chromosome separately and then selected the best match of each contig across all chromosomes. For instance, if one contig matched to multiple chromosomes, only the chromosome with the best matching score would be selected. We also used the same pipeline for read variant calling (BWA-MEM&GATK) to call variants from contigs, however the performance was not as good as using Nucmer. We also used AsmVar^[@CR14]^ to map contigs onto human reference genome and derived variants. To speed up the analysis process, we divided the input contigs file into 40 partitions and aligned each file separately to the reference using the lastal and last-split programs of the LAST package. More specifically, the minimum score for gapped alignments was set to 25, and the mismatch cost was set to 3 for the lastal program. For the last-split program the minimum alignment score was set to 35. The default values were used for the rest of the parameters for both programs. After the alignments were computed for each contig in separate files, the results were output in multiple alignment format (MAF) by the alignment tool. These MAF files were then merged into a single file. We then used the ASV_VariantDetector in the AsmVar package to call the SNVs for each chromosome separately with the default parameters. FermiKit was used to call variants via a *de novo* assembly-based method^[@CR27],\ [@CR28]^. Different from other *de novo* assembly approaches, FermiKit assembled unitigs instead of contigs, as a lossless representation of reads^[@CR27],\ [@CR28]^. FermiKit used in this study was downloaded from GitHub (Sept. 2016) for the experimental reads dataset, which contained 50x of 150 bp paired-end reads. In details, the genome size was set to 3 g as human and 16 CPU cores were used in the progress. After obtaining results from the alignment-based and assembly-based variant calling processes, we calculated recall rates and precisions for both approaches. Specifically, recall rate is the fraction of true SNVs that were called, known as TP/(TP + FN), and precision is the fraction of true SNVs among all called SNVs (TP/P), where TP (True Positive) means real positive SNVs that have been correctly called, FN (False Negative) means real positive SNVs have been wrongly called as negative, and P represents all called SNVs. In addition, we also closely examined the overlapping variants between two approaches, as well as the number of variants that were missing by the alignment-based approach but were recovered by the assembly-based approach. Annovar^[@CR29]^ was applied on genomic region analysis, to annotate the genomic region of all variants called by three different approaches respectively, based on the refGene database. Also, the variants were annotated with confidence tag, which was retrieved from the GIAB project. Disclaimer {#Sec13} ---------- The views presented in this article do not necessarily reflect current or future opinion or policy of the US Food and Drug Administration. Any mention of commercial products is for clarification and not intended as endorsement. Electronic supplementary material ================================= {#Sec14} Supplementary tables **Electronic supplementary material** **Supplementary information** accompanies this paper at doi:10.1038/s41598-017-10826-9 **Publisher\'s note:** Springer Nature remains neutral with regard to jurisdictional claims in published maps and institutional affiliations. LW is grateful to the National Center for Toxicological Research (NCTR) of the U.S. Food and Drug Administration (FDA) for postdoctoral support through the Oak Ridge Institute for Science and Education (ORISE). This work utilized the computational resources of the NIH HPC Biowulf cluster. (<http://hpc.nih.gov>). W.X. conceived and designed this study. L.W. and G.Y. performed data analysis. W.X., L.W., W.T., and H.H. wrote the manuscript. Competing Interests {#FPar1} =================== The authors declare that they have no competing interests.
null
minipile
NaturalLanguage
mit
null
Neillia incisa Neillia incisa, commonly called lace shrub, is a species of plant in the rose family (Rosaceae). It is native to eastern Asia, where it is found in China, Japan, Korea, and Taiwan. In the United States it is commonly cultivated by nurseries as an ornamental, and it has been naturalized in the U.S. state of Virginia. It is expected to become invasive in temperate forests of North America in the future. It is a deciduous shrub, growing to 2.5 meters tall. It has deeply lobed leaves, with prominent stipules. It produces panicles of small white flowers in late spring and early summer. Fruits are pubescent and around 2 mm long. Its natural habitat is on low mountain slopes, often by streams. It is considered to be a common species in Japan. References Category:Neillieae
null
minipile
NaturalLanguage
mit
null
1962 Syracuse Orangemen football team The 1962 Syracuse Orangemen football team represented Syracuse University in the 1962 NCAA University Division football season. The offense scored 159 points while the defense allowed 110 points. Schedule Source: 1963 NFL Draft References Syracuse Category:Syracuse Orange football seasons Syracuse Orangemen football
null
minipile
NaturalLanguage
mit
null
Tell us what you think about this item, share your opinion with other people. Please make sure that your review focus on this item. All the reviews are moderated and will be reviewed within two business days. Inappropriate reviews will not be posted. Have any question or inquire for this item? Please contact Customer Service. (Our customer representative will get back shortly.) Follow us Explore marmot store More Info About marmot store The brand Marmot store has come a long way since its humble beginnings in Grand Junction.And the year 2014 marks Marmot's 40th anniversary.Marmot is now one of the premier manufacturers of technical jackets, pants, and extreme weather suits, as well as accessories, tents, backpacks, and sleeping bags for all season, conditions, and activities. You'll see the 8000M suit on the world's highest peaks, the Precip jacket and pant on hikers everywhere, the Limelight tent stashed in the packs of backpackers and campers, and the Guide vest on skiers, snowboarders, and winter enthusiasts of all types. Cheap Marmot store has since expanded into interests like urban exploration, trail running, and more. Synthetics like Hollow Core, insulations like Thermal R, and materials like PreCip can all be attributed to Marmot production innovations. Marmot continues to partner with leading brands like Gore-Tex, Primaloft, and Polartec to create top-quality products for a wide range of conditions and uses.
null
minipile
NaturalLanguage
mit
null
139 F.3d 900 U.S.v.Riley NO. 96-60563 United States Court of Appeals,Fifth Circuit. March 13, 1998 1 S.D.Miss. ,No.395CR60BN19 .
null
minipile
NaturalLanguage
mit
null
Since this article was written, results of the analyses of the European Randomised Study of Screening for Prostate Cancer (ERSPC)\[[@CIT1]\] and the Prostate, Lung, Colorectal and Ovarian Cancer Screening Trial (PLCO)\[[@CIT2]\] have been published. The ERSPC results are based on a median follow up of close to 9 years in 72,952 men aged 55-69 who were randomized to screening and 89,435 men in the same age group who were randomized to control. In men randomized to screening 214 men died of prostate cancer whereas in the control group 326 men died. The incidence of prostate cancer was 8.2% in the screened population and 4.8% in the control group. There was a reduction in the incidence of advanced cancer in the screened group. The authors concluded that screening offers a 20% reduction from prostate cancer mortality. Though this sounds reasonable, in practical terms1410 men need to be screened and 48 men need to undergo radical treatment in order to save 1 life. One should not under estimate the harm done not only unnecessary biopsies, treatments and the profound anxiety burden on the part of the patient. The economic cost of this is very unlikely to favour routine screening. In spite of rampant use of opportunistic PSA screening, few Indian urologists would have managed more than 50 cases of localized prostate cancer in their lifetimes, which raises doubts over the use of this strategy in countries like India which have a low incidence of prostate cancer. The PLCO analysis reported on a 7 year follow up of 38,350 men aged 55-74 yr who were randomized to control and 38,343 men randomized to screening. In this study there was no reduction in the incidence of advanced cancer at 7 years in the screened group. 50 men died of prostate cancer in the screened group and 44 in the control group. One of the flaws of this study was, a significant proportion of men (40%) in the control group had received pre-randomisation screening, which increased to 52% by year 6. Experts highlight that this 'contamination' of the control group could have led to decreased mortality. These trials would be hotly debated in the years to come as there remain limitiations regarding the methodology used. The major problem with these studies have been over-diagnosis and over-treatment.\[[@CIT3]\] In an era where active surveillance is emerging as a therapeutic option for favorable cases, it remains to be seen whether screening protocols would continue to offer the modest advantage as seen in the ERSPC study. Till such time it is imperative to develop and validate other biomarkers which could help to correctly identify high risk cases which would benefit from radical treatment, thereby avoiding unnecessary treatment and anxiety associated with over-diagnosis of indolent prostate cancer. Therefore, the PSA test should be used with caution in opportunistic screening and should not be physician initiated. Every effort should be made to explain its limitations and possible harm to patients.
null
minipile
NaturalLanguage
mit
null
Technical Field This invention relates to automatic transmissions, and specifically, to automatic transmissions of a twin clutch type including clutches provided in a systematic fashion for two systems being a speed-changing system involving shift positions for odd-numbered speeds (referred herein to sometimes simply as odd-speed shift positions) and another speed-changing system involving shift positions for even-numbered speeds (referred herein to sometimes simply as even-speed shift positions). Background Art As an automatic transmission to be mounted on vehicles such as automobiles in the past, there has been an automatic transmission of a twin clutch type disclosed in Japanese Patent Application Publication No. 2008-291892, including clutches provided in a systematic fashion for two systems being a speed change system for odd-speed shift positions and a speed change system for even-speed shift positions. This twin clutch type automatic transmission included an input shaft for drive power to be transferred thereto from an engine through a torque converter, a first drive shaft disposed around the input shaft, to be coaxial with the input shaft, and adapted for use of a first clutch for a selective coupling with the input shaft, and a combination of an array of even-speed shift position drive gears and a reverse drive gear provided on the first drive shaft. Further, this automatic transmission included a second drive shaft disposed in parallel to the input shaft and adapted for use of a second clutch for a selective coupling with the input shaft through a measure for power transfer, an array of odd-speed shift position drive gears provided on the second drive shaft, and an output shaft disposed in parallel to the input shaft and provided with a combination of a final drive gear meshing with a final driven gear of a differential device and a reverse idler gear meshing with the reverse drive gear. Further, the first clutch as well as the second clutch was disposed at a location not overlapping the output shaft in radial directions. By doing so, the automatic transmission could have radially reduced outside dimensions, affording for the automatic transmission to be down-sized with enhanced power transmission efficiency.
null
minipile
NaturalLanguage
mit
null
On this final Sunday we celebrate the Feast of Christ the King. We acknowledge Jesus as King of the Universe, of the earth and of our lives. This does not mean Jesus imposes himself or that we impose on others. Imposition takes away something essential – freedom. You will notice that Jesus declares himself king only at the moment when he is most powerless. Do you remember last summer when Jesus multiplied the loaves and fish? The people wanted to make him king, but he fled from them. His kingship does not involve violence and imposition. Today, however, when Jesus stands powerless before Pilate – who represents the might of Rome – Jesus looks him in the eye and says, “I am king.” Jesus is king, a humble king, yes, but still king above every other. We heard today that Jesus is the Alpha and the Omega, the beginning and end of all that exists. As king of the universe he is naturally meant to be king of earthly rulers – and of your life and mine: Not just when we pray, not just when we go to Mass (for sure, that’s a darn good start) but also every moment of every day. You and I have to make a choice. We are in a spiritual battle – and we have to decide, choose a banner. Are we going to place ourselves under the banner of Christ or the banner of Satan? Do not fool yourself – there is no third alternative. Sometimes a guy will try to stand apart and say, “I did it my way.” That guy may be in for a shock. When he dies, Satan may meet him with a grin, “You thought you were doing it your way. All the time you were doing it my way. Come on in.” We have to choose. I would like to conclude by telling about a man who made a decision in a dramatic way. This is a true story: The man was on a business trip in Vegas, far from his wife and children. He especially missed his three-year-old daughter, whom he loved. That night he had a horrible dream. In it he was seated on a staircase, holding his dying daughter in his arms. He could do nothing for her and was sobbing bitterly. When he awoke, he immediately called his wife in Seattle. She assured him everything was OK; the children were fine – and reminded him that it was 2 in the morning. Still agitated, he called his father who lived in another country. His dad was surprised to get a call in the middle of the night, but also happy to hear his son’s voice. The man told his father about the terrible dream. His dad spoke some profound, powerful words, “Hijo mio”, my son, remember that everything you have, everything you cherish – even your daughter – is only yours on loan. Jesus has entrusted your family to you – and you must give him thanks every day for such beautiful gifts. And care for them in Jesus name.” When he hung up the phone, the man knelt by his hotel bed and prayed. “Jesus, protect my family. Help me be a good husband and a good father. I am grateful for all you have given me. I acknowledge you as my Lord and King.” This Sunday Jesus shows himself as a humble king – and he asks us to accept his rule in our families and in every aspect of our lives.
null
minipile
NaturalLanguage
mit
null
Gender Bias Pervasive in Academic Hiring Outdated Cultural Stereotypes Can Prevent Women from Securing Jobs in the Life Sciences Though not as blatant as it once was, a new study shows that gender discrimination is still a major problem in academia. When given the choice between two identical resumes—except that one was for John and the other for Jennifer—science professors across the board chose John for a lab manager position. [Olly - Fotolia.com] The Old Boys’ club appears a long way from extinction in academic science. That’s the disturbing finding of five Yale University researchers who published a study spotlighting the university world’s stubborn gender gap on hiring. The study’s most embarrassing finding showed that a group of biology, chemistry, and physics professors favored a male job candidate “John” over a female “Jennifer” with identical qualifications for a fictitious science lab manager position. The professors’ bias cut across both gender lines and field of study, with women just as likely as men, and biology professors as likely as their physics or chemistry counterparts to favor the male. “We are not suggesting that these biases are intentional or stem from a conscious desire to impede the progress of women in science,” the study’s co-authors concluded in “Science Faculty’s Subtle Gender Biases Favor Male Students,” published online September 24 in Proceedings of the National Academy of Sciences (PNAS). Past research indicates that the behavior reflects repeated exposure to pervasive cultural stereotypes that cause subtle gender biases to linger in even the most egalitarian individuals despite decreases in overt sexism over the past few decades, especially among those with the highest education levels. The cultural stereotypes are probably propagated by images that have been around for decades, if not centuries, the study’s corresponding author told GEN. “Scientists are still presented most often as white men in the press and media, and science is a stereotypically male field, which probably affects the way we talk about it and represent it in other ways,” said Jo Handelsman, Ph.D., a Yale professor of molecular, cellular, and developmental biology, and president of the Rosalind Franklin Society, whose founder and executive vice president is GEN Publisher & CEO Mary Ann Liebert. Dr. Handelsman added that awareness of who works in today’s labs goes a long way toward reversing that stereotype: “Margaret Mead published a paper in the 1950s with childrens’ drawings of scientists, which were all white and male. The result comes out the same today, but one of my colleagues showed that if the children participate in research in a lab, the representation of scientists changes radically—the scientists start looking like the children!” The Yale study did not examine if female professors felt more threatened by a younger female lab manager than a male. “The fact that age and gender did not affect the faculty’s evaluations, I would guess that ‘threat’ hypothesis is not supported, but a separate study might be needed to address this,” Dr. Handelsman said. A critic of the idea that bias largely explains gender disparities in academia is not disputing the new study’s troubling results. Dr. Berezow theorized about the disparity in National Review, where in a January 12, 2011, article titled, “Gender Discrimination in Science is a Myth,” he wrote: “The more likely explanation is simply one of preference: Women, for personal reasons, prefer not to enter the hard sciences.” He cited a 2010 Cornell University study that reached that conclusion for women in five “math-intensive” fields. Only one biological field, endocrinology, was represented in the study by Stephen J. Ceci, Ph.D., and Wendy M. Williams, Ph.D. (the others were psychology, sociology, economics, and education). Drs. Ceci and Williams said the disparity reflected two factors: Preferences by women for other fields of study, and the need to balance career with caring for children or elderly parents. They rejected the view that the disparity reflected innate gender abilities or sexism, while acknowledging that gender bias was historically a factor in underrepresentation of women in math and science. “While sexism in academia likely existed decades ago, today it is largely a myth,” Dr. Berezow concluded, adding: “Gender disparity, not gender discrimination, exists in academia, but it is a self-correcting phenomenon.” Self-correction will occur, he said, as women now receiving degrees move into faulty positions. Speaking with GEN last week, Dr. Berezow stood by his conclusion: “The point of my piece in National Review (which I wrote long before this PNAS paper came out) was that there are other explanations for the gender disparity in academia than just sexism. That’s still true.” Sexism or not, the disparity still exists. In their study, the Yale researchers cited the Council of Graduate Schools’ 2010 version of its annual Graduate Enrollment and Degrees report, noting the percentage of women awarded biology doctorates nationally rose 7.7% between 1999 and 2009. An updated version of the study released September 28 showed an 8.2% increase between 2001 and 2011. [The increases for men were 1.2% from 1999−2009 and 2.5% from 2001−11]. According to NSF, the percentage of women awarded biological science degrees soared from 42.9% in 1999 to 52.4% in 2009, the latest available year. Some progress has occurred in hiring at the junior level, though not in tenured positions. According to Yale’s Women’s Faculty Forum (WFF), the percentage of women in nontenure biological sciences faculty positions more than doubled, to 37% (7 of 19) from 15% (3 of 20). However, just 19% of biology professors awarded tenure in 2011−12 (9 of 48) were women, barely budging from 18% (7 of 40) in 2001−02. At Yale School of Medicine, WFF found, the percentage awarded tenure inched up to 22% (97 of 434) from 16% (59 of 360) in 2001−02. More women were hired in non-tenured faculty positions, up to 43% (376 of 865) in 2011−12 compared with 2001−02 (183 of 504). Impeding Advancement “This gap suggests that the problem will not resolve itself solely by more generations of women moving through the academic pipeline but that instead, women’s advancement within academic science may be actively impeded,” the co-authors wrote. Joan C. Williams, distinguished professor of law and founding director of the Center for WorkLife Law at University of California, Hastings College of the Law, told GEN years of studies have shown women often have to provide more evidence of competence than men do in order to be seen as equally go-getter scientists. “This is typically a pattern I call Prove-It Again,” Williams said. “It stems from descriptive stereotypes. When most people think of the hard-driving scientist, they automatically think of a white man.” She said Prove-It Again bias has been shown in studies finding men landed jobs whether their strength was more education or more experience, and in studies where employers applied objective requirements vigorously to women but leniently to men. Williams’ center has launched the New Girls’ Network (www.newgirlsnet.com), a project that develops individualized strategies for training women to spot, then overcome, gender bias. Earlier this year, the President’s Council of Advisors on Science and Technology (PCAST) observed that women and members of minority groups constitute approximately 70% of college students but only 45% of students receiving undergraduate STEM degrees. That and other observations underpinned PCAST’s report Engage to Excel: Producing One Million Additional College Graduates with Degrees in Science, Technology, Engineering, and Mathematics. Its recommendations have not been implemented widely enough or long enough for the report’s impact to be known, Dr. Handelsman said. Even if all PCAST’s recommendations were adopted, eliminating gender bias will still require cultural change within academia. “The university is a very tough organization to change because decision-making power is so diffused,” Williams said. “Whereas in other organizations HR handles a lot of these decisions, organizational change has proven very slow and cumbersome in academics, because the HR is done by department chairs.” Even if a department chair does something illegal, she adds, “if you are vulnerable graduate student or young professor, are you going to sue your department chair? That’s not very plausible.” Neither is the idea that the gender gap in life science hiring must always be. Yale can learn from both MIT, where a 2011 report showed the number of women science and engineering professors nearly doubled in a decade; and Boston University, whose current president Robert A. Brown stepped up hiring and promoting women after circulating salary data among faculty. “An important issue in so-called ‘diversity programs’ is that they be stimulating and provocative and not prescriptive,” Dr. Handelsman said. “The point is not to tell people what to do and not to do, but to expose them to new information or ideas, to broaden their experience, and then let them make informed choices about how they wish to behave.” Jobs GEN Jobs powered by HireLifeScience.com connects you directly to employers in pharma, biotech, and the life sciences. View 40 to 50 fresh job postings daily or search for employment opportunities including those in R&D, clinical research, QA/QC, biomanufacturing, and regulatory affairs. GEN Poll Secure Science Should bans on science education, of the sort imposed on Iranians hoping to study physics and engineering in the United States, encompass other nationals and other fields of study, including biotechnology? No. Such bans could easily get out of control, preventing the sharing and growth of knowledge. Yes. The potential, for example, for the development of bioweapons if biotech information gets into the wrong hands must be minimized. No. Such bans could easily get out of control, preventing the sharing and growth of knowledge. 56.6% Yes. The potential, for example, for the development of bioweapons if biotech information gets into the wrong hands must be minimized. If you have any questions about your subscription, click hereto email us or call at (914) 740-2189. You may also be interested in subscribing to the GEN magazine, an indispensable resource for everyone involved in the business of translating discoveries at the bench into solutions that fight disease and improve health, agriculture, and the environment. Subscribe today to see why over 60,000 biotech professionals read GEN to keep current in the areas of genomics, proteomics, drug discovery, biomarker discovery, bioprocessing, molecular diagnostics, collaborations, biotech business trends, and more.
null
minipile
NaturalLanguage
mit
null
Q: How can I seed only my test-database without specifying additional arguments? Is there a way to configure seed_fu so that it seeds only my test-database? I know there is a way to specify environment like this: rake db:seed RAILS_ENV=test but is there a way to confugre seed_fu to use test-environment as default so that I don't need to specify it all the time? A: In your seed_fu task you can set the environment explicitly: Rails.env = 'test' To accomplish what you need, I'd wrap the seed_fu task like this: namespace :db do task :custom_seed => :environment do Rails.env = 'test' Rake::Task["db:seed_fu"].execute end end Then just call: rake db:custom_seed
null
minipile
NaturalLanguage
mit
null
The present invention relates to a surface cleaning apparatus, and, more particularly, to sweeping hoods, i.e., pickup heads for vehicle-mounted street sweepers and particularly for surface cleaning sweepers, especially sweepers using an air recirculation system to generate air pressure and suction. Heretofore, sweeping heads having both air pressure blast and suction or suction hoods having only suction have been found inadequate when sweeping debris from a paved or other surface. Debris often adheres or otherwise sticks to the surface of pavement because of being repeatedly forced into the surface by vehicles using the roadway. The problem of adherent debris has been addressed by using a vehicle-mounted rotating broom to mechanically dislodge debris followed by a separate air/suction or vacuum sweeper. As can be appreciated, the use of two different types of sweeping machines increases the costs associated with debris removal. In an attempt to eliminate the necessity of utilizing both mechanical broom sweepers immediately followed by air/suction or vacuums weepers, several broom-in-the-head sweepers were developed and used. One fault with the previous broom-in-the-head designs is that the mechanical broom is placed behind the blast orifice. In air/vacuum type sweepers, the high pressure air blast does not allow even a high rotational-speed broom to throw much of the debris through the curtain of high pressure air, and, as this occurs, the mechanical broom positioned at the rear becomes overwhelmed by a buildup of debris; the broom tends to climb over the debris which is then lost behind the sweeper. Additionally, in the earlier broom-in-the-head sweepers, the mechanical broom located behind the blast orifice was positioned straight across in a transverse attitude, thus, the ability to position the mechanical broom at a slight angle to create a windrow effect upon the debris was not readily possible. As this situation occurs, usually after a rain, after snow melts, around construction sites, behind road spills from vehicular haulers, and other instances, and especially during spring cleanup (which involves several months every year), mechanical broom sweepers followed by air/vacuum sweepers are utilized traveling in tandem. This combination of a leading mechanical broom and a trailing air/suction sweeper, of course, adds to cost of pavement sweeping cleaning.
null
minipile
NaturalLanguage
mit
null
Misting systems may be used to fulfill a plethora of functions, among which are: control of the environment of a greenhouse to aid in plant propagation; humidity control for fruit, vegetable, and wine storage; outdoor cooling for residential and commercial applications, including recreational use and animal husbandry; air filtration and dust abatement; and frost protection. Such misting systems are distinct from sprinkling and/or spraying systems. Those skilled in the art will recognize that a misting system produces a mist, i.e., produces droplets small enough to be borne by the air. A cloud of water droplets is a mist if the droplets are less than 500 microns in diameter. Droplets greater than 500 microns will precipitate, and therefore do not produce mist. A misting system works by forcing water (or another fluid) through a specialized fluid-atomization (FA) nozzle (i.e., a misting nozzle) to produce a cloud of mist at a predetermined misting location. Those skilled in the art will appreciate that misting systems vary widely depending upon the characteristics of the system. For example, a misting system driven solely by the pressure of a municipal or other water supply at 60-50 psi (pounds per square inch) may produce a drizzle-like mist having droplets 100-250 microns in diameter. Such a low-pressure system may be capable of reducing ambient temperature by 15.degree. F. in a given atmosphere. Conversely, a misting system driven by a pump at around 1000 psi may produce a fog-like mist having droplets approximately 5 microns in diameter. Such a high-pressure system may be capable of reducing ambient temperature by 35.degree. F. in the same atmosphere. A misting system typically incorporates tubing or piping to convey the fluid (usually water) to the desired predetermined misting location. This tubing and associated apparatus (e.g., connectors, fittings, pumps, etc.) form a fluid-distribution (FD) subsystem of the misting system. The FD subsystem normally has a relatively large diameter (i.e., one-quarter to one-half inch standard tubing or piping) to permit relatively turbulent-free flow of the fluid at the required pressure. In normal practice, the diameter of the FD subsystem is a function of the size of the misting system. The greater the number of desired predetermined misting locations to which the fluid is to be distributed (i.e., the greater the fluid flow) and/or the distance between the fluid source and the farthest desired predetermined misting location, the larger the desired FD subsystem diameter. It will be recognized by those skilled in the art, however, that this is not an absolute rule. Other factors, such as tubing composition, fluid pressure, and environmental concerns, also have a bearing upon the diameter of the FD subsystem. At the desired predetermined misting location, a misting system typically has a fitting with a nozzle coupled thereto. This fitting and nozzle, along with connectors, extensions, or other apparatus between the fitting and the nozzle, form a fluid-atomization (FA) subsystem of the misting system. The task of the FA subsystem is to render the fluid into a mist. This requires that the fluid be entrapped, fractured, and atomized. These are turbulent activities best isolated from the smooth flow of fluid in the FD subsystem. The FA subsystem, therefore, entraps the fluid in a connector or other apparatus having a very narrow diameter relative to the diameter of the FD subsystem. This isolates the turbulent activities of the FA subsystem from the smooth activities of the FD subsystem. Since the flow through an FA nozzle is very low, e.g., less than one and one-half gallon per hour in a typical high-pressure misting system, the small diameter of the FA subsystem has little effect on the resultant mist. A typical misting system has a plurality of such FA subsystems. A problem arises, however, when it is desirous to produce a greater quantity of mist at a single predetermined misting location than is feasible with a conventional FA subsystem. Multiple interface fittings, hence multiple FA nozzles, may be placed in close proximity to provide increased misting capability. This multiple-fitting approach, however, generally produces less-than optimal results, and often produces unaesthetic layouts. In many cases, the requirements of the environment dictate the layout proximate the predetermined misting locations. In such cases, the multiple-fitting solution is contra-indicated. A variation on the multiple-fitting approach is the branched-distribution approach. In the branched-distribution approach, short or specially shaped branches in the FD subsystem are implemented, with each branch having interface fittings and FA nozzles at the desired locations thereon proximate the preferred predetermined misting location. One example of this may be a cross (i.e., a double-tee) coupling two short secondary FD tubing to a primary FD tubing. Each secondary tubing may then have one or more interface fittings and FA nozzles. Similarly, a tee may couple a circular or serpentine secondary FD tubing having a plurality of interface fittings and FA nozzles. Such multiple-FA subsystem approaches fail when retrofitting a pre-existing misting system or a misting system where the environment prohibits other than the primary FD tubing.
null
minipile
NaturalLanguage
mit
null
You Can’t Create A Kindler, Gentler Ku Klux Klan I believe Klansman John Abarr (pictured) when he says he’s “evolved” from his White supremacist views, after meeting with members of the NAACP in Casper, Wy., last year. On that meeting, Abarr explained to the Great Falls Tribune, “I thought it was a really good organization. I don’t feel we need to be separate.” Such is the magic of having intimate interactions with members of the community you typically only consider in the context of condemnation. They stop becoming caricatures, and instead, actual people — a direct assault on one’s unfounded hatred. Keeping with the theme of growth, next summer Abarr will organize a peace summit with the NAACP and other religious groups. It’s a nice step toward netting penance on a personal level, but his new vision for a new and inclusive Ku Klux Klan is a fool’s errand. Dubbing the new KKK group “The Rocky Mountain Knights,” Abarr assures that it is a Ku Klux Klan that will not to discriminate against anyone based on race, religion, or sexual orientation. Abarr wants a KKK that does not continue to vilify those who are Black, Latino, Jewish, and/or gay — you know, everything the Ku Klux Klan has always stood for. According to Abarr, “The KKK is for a strong America. White supremacy is the old Klan. This is the new Klan.” He speaks as if he’s reached the end of a very important after-school special on anti-discrimination. You could almost dismiss his naïveté as cute. Almost. Already, Abarr has been challenged on his notion of a nouveau Klan — notably from members of the very organizations he will meet next summer. They know the KKK name evokes fear. They also know that if one is truly about reform, you would abandon the KKK moniker altogether. While others consider it nothing more than a farce. Then there is the Klan itself, who is reportedly furious over Abarr’s plans and the publicity it has since generated: Bradley Jenkins, imperial wizard of the United Klans of America, has dismissed Abarr, explaining, “That man’s going against everything the bylaws of the constitution of the KKK say. He’s trying to hide behind the KKK to further his political career.” Translation: Don’t taint our hate. It’s hilarious how the imperial wizard of the United Klans of America has a name that screams Lawry’s seasoned salt and BBQ ribs on paper. That said, Jenkins is correct in that Abarr’s new vision does not mesh with the mission of the KKK and the history behind it. However, Abarr is not unique in trying to envision a new Klan. There have been other attempts in those four years. The story always speaks to some person trying to soften the way we look at a terrorist organization. Abarr does a much better job with his effort, partially because he may genuinely want to no longer be full of hatred. However, the end result will be the same as the others: failure. There are some groups that simply cannot change. Too much has happened. Too many lives have been lost. The stain has long been set. Why bother pretending anyone can see past it? If Abarr wanted reform, he could very well start anew and launch his own organization. There are young activists of color now who opted not to work within the current civil rights organizations, choosing instead to create their own. Word to the Dream Defenders. Abarr could be doing this in earnest or he might indeed be nothing more than an opportunist. It doesn’t matter either way. When it comes to the question of “can something be changed?” and that something is the KKK, the answer is the group is evil, will always be known as such, and all those White supremacists are parasites to humanity.
null
minipile
NaturalLanguage
mit
null
[Capillary hemangioma of the retina in cases of von Hippel-Lindau syndrome. New therapeutic directions]. Thermal photocoagulation of small peripheral angiomas is the treatment of choice for capillary hemangiomas in patients with von Hippel-Lindau disease. Larger peripheral angiomas are better treated with beta-ray brachytherapy resulting in improved results in terms of local tumor control and the side effects of treatment. Photodynamic treatment is an alternative option in the management of capillary hemangiomas of the retina. Further improvement of the treatment results of photodynamic therapy may be achieved by combination with intravitreal drugs. External beam radiation using either stereotactic techniques or proton radiation must be considered as experimental. The treatment of juxtapapillary angiomas is still a therapeutic dilemma. Vitreoretinal surgery should be confined to advanced stages with tractional detachment or when no other treatment option is available to salvage the eye.
null
minipile
NaturalLanguage
mit
null
Female Genital Mutilation Overview Female genital mutilation comprises all procedures involving partial or total removal of the external female genitalia or other injury to the female genital organs for non-medical reasons. Female genital mutilation of any type has been recognized as a harmful practise and is a violation of human rights. It has no health benefits and harms girls and women in many ways. There are four classifications of female genital mutilation. Types I, II and III have been documented in 28 countries in Africa. Approximately 85% of women experience Types I and II. Long-term consequences can include chronic pain, infections, decreased sexual enjoyment, infertility and psychological consequences, such as post-traumatic stress disorder. It also significantly increases the risks of adverse childbirth complications such as low birth weight, still birth, caesarean section and post-partum haemorrhage. It is estimated that an additional 1 to 2 babies per 100 deliveries die as a result of female genital mutilation. The most recent prevalence data indicates 91.5 million girls and women are currently living with the consequences of female genital mutilation and an additional 3 million girls are at risk every year. Disease Outbreak Related Health Topics Factsheet Key Facts Female genital mutilation (FGM) includes procedures that intentionally alter or cause injury to the female genital organs for non-medical reasons. The procedure has no health benefits for girls and women. Procedures can cause severe bleeding and problems urinating, and later cysts, infections, as well as complications in childbirth and increased risk of newborn deaths. More than 200 million girls and women alive today have been cut in 30 countries in Africa, the Middle East and Asia where FGM is concentrated1. FGM is mostly carried out on young girls between infancy and age 15. FGM is a violation of the human rights of girls and women. Female genital mutilation (FGM) comprises all procedures that involve partial or total removal of the external female genitalia, or other injury to the female genital organs for non-medical reasons. The practice is mostly carried out by traditional circumcisers, who often play other central roles in communities, such as attending childbirths. In many settings, health care providers perform FGM due to the erroneous belief that the procedure is safer when medicalized1. WHO strongly urges health professionals not to perform such procedures. FGM is recognized internationally as a violation of the human rights of girls and women. It reflects deep-rooted inequality between the sexes, and constitutes an extreme form of discrimination against women. It is nearly always carried out on minors and is a violation of the rights of children. The practice also violates a person's rights to health, security and physical integrity, the right to be free from torture and cruel, inhuman or degrading treatment, and the right to life when the procedure results in death. Procedures Female genital mutilation is classified into 4 major types. Type 1: Often referred to as clitoridectomy, this is the partial or total removal of the clitoris (a small, sensitive and erectile part of the female genitals), and in very rare cases, only the prepuce (the fold of skin surrounding the clitoris). Type 2: Often referred to as excision, this is the partial or total removal of the clitoris and the labia minora (the inner folds of the vulva), with or without excision of the labia majora (the outer folds of skin of the vulva ). Type 3: Often referred to as infibulation, this is the narrowing of the vaginal opening through the creation of a covering seal. The seal is formed by cutting and repositioning the labia minora, or labia majora, sometimes through stitching, with or without removal of the clitoris (clitoridectomy). Type 4: This includes all other harmful procedures to the female genitalia for non-medical purposes, e.g. pricking, piercing, incising, scraping and cauterizing the genital area. Deinfibulation refers to the practice of cutting open the sealed vaginal opening in a woman who has been infibulated, which is often necessary for improving health and well-being as well as to allow intercourse or to facilitate childbirth. No health benefits, only harm FGM has no health benefits, and it harms girls and women in many ways. It involves removing and damaging healthy and normal female genital tissue, and interferes with the natural functions of girls' and women's bodies. Generally speaking, risks increase with increasing severity of the procedure. need for later surgeries: for example, the FGM procedure that seals or narrows a vaginal opening (type 3) needs to be cut open later to allow for sexual intercourse and childbirth (deinfibulation). Sometimes genital tissue is stitched again several times, including after childbirth, hence the woman goes through repeated opening and closing procedures, further increasing both immediate and long-term risks; Procedures are mostly carried out on young girls sometime between infancy and adolescence, and occasionally on adult women. More than 3 million girls are estimated to be at risk for FGM annually. More than 200 million girls and women alive today have been cut in 30 countries in Africa, the Middle East and Asia where FGM is concentrated 1. The practice is most common in the western, eastern, and north-eastern regions of Africa, in some countries the Middle East and Asia, as well as among migrants from these areas. FGM is therefore a global concern. Cultural and social factors for performing FGM The reasons why female genital mutilations are performed vary from one region to another as well as over time, and include a mix of sociocultural factors within families and communities. The most commonly cited reasons are: Where FGM is a social convention (social norm), the social pressure to conform to what others do and have been doing, as well as the need to be accepted socially and the fear of being rejected by the community, are strong motivations to perpetuate the practice. In some communities, FGM is almost universally performed and unquestioned. FGM is often considered a necessary part of raising a girl, and a way to prepare her for adulthood and marriage. FGM is often motivated by beliefs about what is considered acceptable sexual behaviour. It aims to ensure premarital virginity and marital fidelity. FGM is in many communities believed to reduce a woman's libido and therefore believed to help her resist extramarital sexual acts. When a vaginal opening is covered or narrowed (type 3), the fear of the pain of opening it, and the fear that this will be found out, is expected to further discourage extramarital sexual intercourse among women with this type of FGM. Where it is believed that being cut increases marriageability, FGM is more likely to be carried out. FGM is associated with cultural ideals of femininity and modesty, which include the notion that girls are clean and beautiful after removal of body parts that are considered unclean, unfeminine or male. Though no religious scripts prescribe the practice, practitioners often believe the practice has religious support. Religious leaders take varying positions with regard to FGM: some promote it, some consider it irrelevant to religion, and others contribute to its elimination. Local structures of power and authority, such as community leaders, religious leaders, circumcisers, and even some medical personnel can contribute to upholding the practice. In most societies, where FGM is practised, it is considered a cultural tradition, which is often used as an argument for its continuation. In some societies, recent adoption of the practice is linked to copying the traditions of neighbouring groups. Sometimes it has started as part of a wider religious or traditional revival movement. International response Building on work from previous decades, in 1997, WHO issued a joint statement against the practice of FGM together with the United Nations Children’s Fund (UNICEF) and the United Nations Population Fund (UNFPA). Since 1997, great efforts have been made to counteract FGM, through research, work within communities, and changes in public policy. Progress at international, national and sub-national levels includes: wider international involvement to stop FGM; international monitoring bodies and resolutions that condemn the practice; revised legal frameworks and growing political support to end FGM (this includes a law against FGM in 26 countries in Africa and the Middle East, as well as in 33 other countries with migrant populations from FGM practicing countries); the prevalence of FGM has decreased in most countries and an increasing number of women and men in practising communities support ending its practice. Research shows that, if practicing communities themselves decide to abandon FGM, the practice can be eliminated very rapidly. In 2007, UNFPA and UNICEF initiated the Joint Programme on Female Genital Mutilation/Cutting to accelerate the abandonment of the practice. In 2008, WHO together with 9 other United Nations partners, issued a statement on the elimination of FGM to support increased advocacy for its abandonment, called: “Eliminating female genital mutilation: an interagency statement”. This statement provided evidence collected over the previous decade about the practice of FGM. In 2010, WHO published a "Global strategy to stop health care providers from performing female genital mutilation" in collaboration with other key UN agencies and international organizations. In December 2012, the UN General Assembly adopted a resolution on the elimination of female genital mutilation. Building on a previous report from 2013, in 2016 UNICEF launched an updated report documenting the prevalence of FGM in 30 countries, as well as beliefs, attitudes, trends, and programmatic and policy responses to the practice globally. In May 2016, WHO in collaboration with the UNFPA-UNICEF joint programme on FGM launched the first evidence-based guidelines on the management of health complications from FGM. The guidelines were developed based on a systematic review of the best available evidence on health interventions for women living with FGM. To ensure the effective implementation of the guidelines, WHO is developing tools for front-line health-care workers to improve knowledge, attitudes, and skills of health care providers in preventing and managing the complications of FGM. WHO response In 2008, the World Health Assembly passed resolution WHA61.16 on the elimination of FGM, emphasizing the need for concerted action in all sectors - health, education, finance, justice and women's affairs. WHO efforts to eliminate female genital mutilation focus on: strengthening the health sector response: guidelines, tools, training and policy to ensure that health professionals can provide medical care and counselling to girls and women living with FGM; building evidence: generating knowledge about the causes and consequences of the practice, including why health care professionals carry out procedures, how to eliminate it, and how to care for those who have experienced FGM; increasing advocacy: developing publications and advocacy tools for international, regional and local efforts to end FGM within a generation. Female genital mutilation has no known health benefits. On the contrary, it is known to be harmful to girls and women in many ways. First and foremost, it is painful and traumatic. The removal of or damage to healthy, normal genital tissue interferes with the natural functioning of the body and can cause several immediate and long-term health consequences. For example, FGM can cause excessive bleeding, swelling of genital tissue and problems urinating, and severe infections that can lead to shock and in some cases, death, as well as complications in childbirth and increased risk of perinatal deaths. Communities that practice female genital mutilation report a variety of sociocultural reasons for continuing with it. Seen from a human rights perspective, the practice reflects deep-rooted inequality between the sexes, and constitutes an extreme form of discrimination against women. Female genital mutilation is nearly always carried out on minors and is therefore a violation of the rights of the child. The practice also violates the rights to health, security and physical integrity of the person, the right to be free from torture and cruel, inhuman or degrading treatment, and the right to life when the procedure results in death. Female genital mutilation comprises all procedures involving partial or total removal of the external female genitalia or other injury to the female genital organs for non-medical reasons (WHO, UNICEF, UNFPA, 1997). The WHO/UNICEF/UNFPA Joint Statement classified female genital mutilation into four types. Experience with using this classification over the past decade has revealed the need to sub-divide these categories to capture more closely the variety of procedures. Although the extent of genital tissue cutting generally increases from Type I to III, there are exceptions. Severity and risk are closely related to the anatomical extent of the cutting, including both the type of FGM performed and the amount of tissue that is cut, which may vary between the types. Type IV comprises a variety of practices that do not involve removal of tissue from the genitals. Though limited research has been carried out on Type IV FGM, in general, these forms appear to be less associated with harm or risk than the types I, II and III, that all involve removal of genital tissue. The complete typology with sub-divisions is described below: Type I — Partial or total removal of the clitoris and/or the prepuce (clitoridectomy). When it is important to distinguish between the major variations of Type I mutilation, the following subdivisions are proposed: Type Ia, removal of the clitoral hood or prepuce only; Type Ib, removal of the clitoris with the prepuce. Type II — Partial or total removal of the clitoris and the labia minora, with or without excision of the labia majora (excision). When it is important to distinguish between the major variations that have been documented, the following subdivisions are proposed: Type IIa, removal of the labia minora only; Type IIb, partial or total removal of the clitoris and the labia minora; Type IIc, partial or total removal of the clitoris, the labia minora and the labia majora. Type III — Narrowing of the vaginal orifice with creation of a covering seal by cutting and appositioning the labia minora and/or the labia majora, with or without excision of the clitoris (infibulation). When it is important to distinguish between variations in infibulations, the following subdivisions are proposed: Type IIIa, removal and apposition of the labia minora; Type IIIb, removal and apposition of the labia majora. Type IV — All other harmful procedures to the female genitalia for non-medical purposes, for example: pricking, piercing, incising, scraping and cauterization.
null
minipile
NaturalLanguage
mit
null
###### Strengths and limitations of this study - This paper describes a novel use of latent class analysis to identify patterns of primary care for osteoarthritis (OA). - The population studied was large and diverse, increasing generalisability, and based on a broad definition of clinical OA to reduce selection bias. - The analysis used some quality indicators of care newly implemented in practices through an electronic template (pain/function assessment, information provision, exercise/weight advice, analgesics, physiotherapy), which may have increased the recorded quality of care compared with routine practice. - Four clusters of recorded care were identified: approximately one-third of patients had a high probability of delivery of most care processes while another third had a low probability of any such delivery. The remaining patients had a high probability of pain and function assessment but were distinguished by the probability of delivery or consideration of other aspects of care. Introduction {#s1} ============ Osteoarthritis (OA) is a common reason for adults aged ≥45 years to consult primary care. Annually, in the UK, 4% of such adults are recorded as consulting in general practice for diagnosed OA, with an additional 8% recorded with joint pain likely to be attributable to OA.[@R1] OA is a common reason for disability, and was ranked the 11th biggest cause of disability by the 2010 Global Burden of Disease study.[@R2] The UK National Institute for Health and Care Excellence (NICE) OA management guidelines recommend core strategies of information provision, physical activity and exercise, and weight management, supplemented with use of relatively safe pharmacological management strategies (eg, topical non-steroidal anti-inflammatory drugs (NSAID)), as necessary.[@R3] Intensification of management should depend on response to these initial approaches. However, there is evidence that patients diagnosed with OA do not receive care that is well aligned to evidence-based recommendations and which may be overly dependent on pharmacological methods.[@R4] We have previously identified variation between clinicians in recorded quality of individual indicators of OA care.[@R5] However, patterns of OA care and factors linked with increased probability of adherence to OA quality standards are less well studied. Using electronic general practice records data, the objectives of this study were to determine patterns of recorded primary care for OA based on quality indicators, and to determine associations between higher quality recorded care and patient and clinician characteristics. Methods {#s2} ======= This analysis used data from the Management of Osteoarthritis in Consultations (MOSAICS) study (trial registration number ISRCTN06984617).[@R6] MOSAICS was a mixed-methods study, which investigated the effect of a model consultation for clinical OA. It was set within eight general practices in Cheshire, Shropshire and Staffordshire, UK. Practice eligibility has been reported elsewhere.[@R6] The current analysis, reported in line with Strengthening the Reporting of Observational Studies in Epidemiology guidelines, used anonymised information from the electronic health records (EHR) of these practices for the 6-month baseline period before randomisation of practices to intervention or control arms.[@R6] At the beginning of the baseline period, a computerised template ('e-template', described below) was installed within the EHR and all practices continued with otherwise usual care until the end of the baseline period. The study population was all patients aged ≥45 years registered with the eight general practices who consulted with clinical OA in the baseline 6-month period. UK general practice uses a system of Read codes (similar in principle to the International Classification of Diseases codes) to record symptoms, morbidities and care processes[@R7]; within MOSAICS, clinical OA was defined as either a recorded OA Read code or a peripheral joint pain Read code for the hand, hip, knee or foot, to reduce the potential for selection bias in clinician coding. Patients were allocated to an index clinician, being the clinician recording the first formally diagnosed (ie, OA Read-coded) OA consultation in the baseline period or, if none, the first peripheral joint pain coded consultation in the same period. Outcome measures were the seven indicators of quality of care for OA in general practice recorded in the EHR ([table 1](#T1){ref-type="table"}). These could be entered into the EHR as routinely recorded data or captured through the e-template. The identification and synthesis of appropriate quality indicators using a systematic review and NICE 2008 guidelines has previously been reported.[@R5] ###### Seven quality Indicators and categories used for latent class analysis ------------------------------------------------------------------------------------------------------------------------------------------------------------------- Quality indicator Categories Definition ---------------------------------- --------------------------------- ---------------------------------------------------------------------------------------------- 1\. Pain assessed Assessed\ Recorded level of pain\*\ Not assessed No entry recorded\* 2\. Function assessed Assessed\ Recorded level of function\*\ Not assessed No entry recorded\* 3\. OA information Given\ Recorded written or verbal\*\ Considered, but not given\ Recorded not appropriate\*\ Not considered No entry recorded\* 4\. Exercise advice Given\ Recorded written or verbal\*\ Considered, but not given\ Recorded not appropriate\*\ Not considered No entry recorded\* 5\. Weight loss advice† Given\ Recorded written or verbal\*\ Considered, but not given\ Recorded not appropriate\*\ Not considered No entry recorded\* 6\. Paracetamol or topical NSAID Prescribed\ Either drug prescribed‡\ Considered, but not prescribed\ Neither drug prescribed but recorded tried, offered, patient declined, or not appropriate\*\ Not considered Neither drug prescribed, recorded unknown or no entry recorded for both drugs\* 7\. Physiotherapy Referred\ Recorded referral‡\ Considered, but not referred\ No referral but recorded as offered, or not necessary or not appropriate\*\ Not considered No referral, recorded not this time or no entry recorded\* ------------------------------------------------------------------------------------------------------------------------------------------------------------------- \*From e-template. †Patients without a recorded BMI of ≥25 within the last 3 years were allocated to 'Considered, but not given' category. ‡From routine records. BMI, body mass index; NSAID, non-steroidal anti-inflammatory drug; OA, osteoarthritis. Achievement of prescribing and referral indicators (recorded prescription of topical NSAIDs or paracetamol, and onward physiotherapy referral) were determined from data in the routinely recorded component of the EHR and were determined to have been achieved if they were recorded within 14 days of any clinical OA consultation in the 6-month period. The e-template facilitated recording of achievement of indicators that are known to be poorly captured in routinely recorded data[@R5]: (1) assessment of pain and function; (2) provision or consideration of OA information, exercise advice and weight loss advice; (3) consideration of paracetamol or topical NSAID; and (4) consideration of physiotherapy referral. The entry of a code for clinical OA for a patient aged ≥45 years triggered the e-template. The design, effects, and interpretation of the e-template have previously been reported.[@R5] The clinicians could complete the e-template at any point throughout the consultation and could choose to complete all, some or none of the e-template. The e-template has been endorsed by NICE to facilitate enhanced uptake of quality standards.[@R10] Data from the EHR (derived from both routinely recorded data and the e-template) were amalgamated within the relevant quality indicator. For example, consideration of paracetamol and topical NSAIDs (entered using e-template) was combined with actual prescription of these agents (routinely recorded data). Outcomes ([table 1](#T1){ref-type="table"}) were dichotomous for pain and function assessments. For all other indicators, the possibilities were for the indicator to be *achieved*, *considered* (without record of having been delivered) or *not considered*. There is evidence that weight recording is more common in people who are overweight compared with those who are not.[@R11] To minimise the effect of missing data and to preserve the ability of the model to identify people who needed weight loss advice but were not recorded as receiving it, any patient recorded as being of normal weight or who did not have a weight recorded was allocated to *considered* for weight loss advice. We investigated how patterns of care based on the quality indicators were associated with other OA care processes, recorded in the routine EHR within 14 days of any clinical OA consultation: prescriptions for oral NSAIDs and opioids, and relevant X-rays (hand, hip, knee or foot). Factors potentially associated with patterns of quality of care that were considered were: patient age, gender, body mass index, the site of clinical OA, whether patients had multiple or a single consultation for clinical OA within the 6-month time period, whether the patient was a new consulter (no clinical OA consultations within the previous 12 months) and total morbidity. Total morbidity was measured by a count of British National Formulary subchapters from which prescriptions had been issued in the previous 12 months.[@R12] A proxy measure of OA workload for the patients' index clinician was determined by dichotomising the number of index clinical OA consultations at the median value (14) across clinicians. Statistical analysis {#s2a} -------------------- Latent class analysis (LCA) was used to cluster patients into groups based on recorded achievement of the seven quality indicators. All patients within a cluster should have similar recorded care for their OA or joint pain, but care should differ between patients belonging to different clusters.[@R13] Latent class models were fitted, beginning with a one-cluster model where all the patients were assumed to have been given the same pattern of treatment of OA, up to a seven-cluster model. To determine the optimum number of clusters, we considered the Bayes information criterion[@R14] (BIC, where the lowest BIC indicated the best model) with the size of each cluster, and the interpretability of the model. Posterior probabilities (PP) for a patient (the probabilities of that patient belonging to each of the clusters within the model) were identified. The cluster that had the largest PP for a patient was the cluster that patient was assigned to. We used the mean PP for patients allocated to each cluster to measure cluster separation; a mean PP of more than 0.7 indicated that the patients were clearly assigned to that specific cluster.[@R15] Using a two-level (patient within index clinician) multinomial multilevel logistic regression, associations between the patient and clinician-level covariates and cluster membership were estimated and reported as relative risk ratios (RRR) with 95% CIs. We also used Χ^2^ tests to compare between clusters on levels of pain and functional limitation (none, mild, moderate, severe) as recorded in the e-template. Statistical analysis was performed using R studio V.3.3.0, and MLwiN V.2.35 for Windows. Results {#s3} ======= During the 6-month period, 1724 patients (median per practice n=183) consulted with a recorded clinical OA code and triggered the e-template. All were included in the analysis. 1014 (59%) of these were female, mean age was 66.1 years (SD: 11.9) and 582 (34%) patients were recorded with a diagnosis of OA rather than peripheral joint pain. Among consulters, 50% were recorded as having clinical OA at the knee, 21% at the hip, and the remainder with ankle/foot, wrist/hand, multisite, or unspecified clinical OA. As previously reported,[@R5] pain (63%) and function (62%) assessments were the most commonly achieved indicators. Recorded provision of OA information (44%) and exercise advice (45%) were achieved in under half of patients, and weight loss advice in less than a third of patients (31%). Up to 609 (35%) patients were prescribed paracetamol or topical NSAIDs. A referral for physiotherapy was made in 7% of patients. [Table 2](#T2){ref-type="table"} shows the goodness-of-fit statistics for the LCA models with one to seven clusters. The four-cluster model gave the lowest BIC, and each of the clusters in the three, four and five-cluster models had a mean PP for patients belonging to that cluster above 0.83. In the three-cluster model, the smallest cluster size was 430 (25%), in the four-cluster model it was 184 (11%), and the five-cluster model had the smallest cluster size of 142 (8%). Based on the cluster sizes, goodness-of-fit statistics and clinical interpretability, the four-cluster model was chosen as the optimal model. ###### Latent class analysis of goodness-of-fit statistics Number of clusters BIC Χ^2^ goodness of fit Population (%) of smallest cluster Range of mean PP across clusters n (%) with PP\<0.7 -------------------- ----------- ---------------------- ------------------------------------ ---------------------------------- -------------------- 1 20 994.14 32 978.08 1724 (100) 1.000 0 (0) 2 15 160.57 3332.77 1071 (62) 0.992, 0.987 3 (\<1) 3 14 715.82 1727.74 430 (25) 0.906, 0.991 138 (8) 4 14 627.48 1522.28 184 (11) 0.848, 0.994 157 (9) 5 14 661.55 809.88 142 (8) 0.830, 0.993 207 (12) 6 14 699.79 733.23 112 (6) 0.754, 0.996 257 (15) 7 14 771.09 818.78 22 (1) 0.701, 0.996 267 (15) BIC, Bayes information criterion; PP, posterior probabilities. [Table 3](#T3){ref-type="table"} shows the probability of recorded receipt of each of the seven quality indicators for patients allocated to each cluster. Patients in cluster 1 (n=659, 38%) had a high probability of having pain and function assessment recorded (probabilities over 0.97) and of being given OA information and exercise advice (probabilities over 0.93). Patients' care within this cluster was recorded as having achieved a median of five indicators and considered for, but not achieved, a median of one further indicator. Cluster 1 was therefore labelled as having a *High* level of recorded quality of care. Cluster 2 (n=184, 11%; *Moderate*) had a high probability of pain and function assessment (probabilities over 0.95) and of consideration for (but not receipt of) physiotherapy and topical NSAID or paracetamol. They also had a high probability of being given or considered for OA information and exercise advice. Their recorded care achieved a median of three indicators and they were considered for care relating to a median of three further indicators. Cluster 3 (n=286, 17%; *Low*) had a high probability of pain and function assessment (probabilities over 0.87), and was likely to be prescribed or considered for paracetamol or topical NSAIDs but generally was not recorded as receiving or being considered for other indicators (received a median of three processes and considered for a median of one further). Cluster 4 (n=595, 35%; *None*) had low probabilities of a record of receiving or being considered for any indicator (received and considered median zero indicators). ###### Conditional item response probabilities for the quality indicators for each cluster Quality indicators Overall Cluster -------------------------------------------------------- -------------------------- ----------- ---------- ---------- ------- ------- Pain assessment Assessed 1092 (63) 0.978 0.961 0.922 0.014 Not assessed 632 (37) 0.022 0.039 0.078 0.987 Function assessment Assessed 1070 (62) 0.981 0.955 0.873 0.000 Not assessed 654 (38) 0.019 0.045 0.127 1.000 OA information Given 764 (44) 0.930 0.463 0.319 0.001 Considered, not given 85 (5) 0.009 0.330 0.011 0.000 Not considered 875 (51) 0.062 0.207 0.670 1.000 Exercise advice Given 768 (45) 0.994 0.417 0.237 0.000 Considered, not given 96 (6) 0.007 0.313 0.067 0.000 Not considered 860 (50) 0.000 0.270 0.696 1.000 Weight advice Given 536 (31) 0.593 0.115 0.089 0.000 Considered, not given 153 (9) 0.298 0.733 0.347 0.441 Not considered 1035 (60) 0.109 0.152 0.564 0.559 Topical NSAID/paracetamol Prescribed 609 (35) 0.476 0.273 0.394 0.239 Considered, not prescribed 570 (33) 0.496 0.641 0.406 0.004 Not considered 545 (32) 0.028 0.086 0.200 0.757 Referred 124 (7) 0.111 0.037 0.101 0.032 Physiotherapy Considered, not referred 532 (31) 0.559 0.732 0.080 0.000 Not considered 1068 (62) 0.330 0.230 0.819 0.968 Median count (IQR): assessed/prescribed/given/referred 5 (4. 6) 3 (2. 3) 3 (2. 3) 0 (0. 1) Median count (IQR): considered 1 (1. 2) 3 (2. 4) 1 (0. 1) 0 (0. 1) NSAID, non-steroidal anti-inflammatory drug; OA, osteoarthritis. [Table 4](#T4){ref-type="table"} compares the number of people in each cluster who were expected, based on the model, to receive each care process (identified by the indicators) and the number actually recorded as receiving them. Differences between observed and expected values were small and generally related to distinguishing between care received compared with care considered. For example, in the pain assessment domain, there was no difference between the counts of observed and expected provision for the *High* and *Moderate* clusters, and a difference of only one patient in the *Low* and *None* clusters; for OA information provision, this was observed more frequently than expected for the *High* cluster (observed n=620 compared with 613 expected) but less frequently for the *Moderate* (59 vs 85) and *Low* (85 vs 91) clusters. ###### Expected number compared with observed for each category of indicators, by cluster Quality indicators Cluster ------------------------------------------- ------------------------- --------- ----- ----- ----- ----- ----- ----- ----- ----- ----- ----- --- Pain assessment Assessed (n=1092, 63%) 645 645 0 177 177 0 264 263 1 8 7 1 *N*ot assessed (n=632, 37%) 14 14 0 7 7 0 22 23 −1 587 588 −1 Function assessment Assessed (n=1070, 62%) 646 646 0 176 174 2 250 250 0 0 0 0 *N*ot assessed (n=655, 38%) 13 13 0 8 10 −2 36 36 0 595 595 0 OA information Given (n=764, 44%) 613 620 −7 85 59 26 91 85 6 0 0 0 Considered, *n*ot given (n=85, 5%) 6 3 3 61 81 −20 3 1 2 0 0 0 *N*ot considered (n=875, 51%) 41 36 5 38 44 −6 192 200 −8 595 595 0 Exercise advice Given (n=768, 45%) 655 658 −3 77 53 24 68 57 11 0 0 0 Considered, *n*ot given (n=96, 6%) 4 1 3 58 77 −19 19 18 1 0 0 0 *N*ot considered (n=860, 50%) 0 0 0 50 54 −4 199 211 −12 595 595 0 Weight advice Given (n=536, 31%) 391 370 21 21 20 1 26 22 4 0 0 0 Considered, *n*ot given (n=153, 9%) 196 213 −17 135 140 −5 99 99 0 262 262 0 *N*ot considered (n=1035, 60%) 72 76 −4 28 24 4 161 165 −4 333 333 0 Topical NSAID or paracetamol Prescribed (n=609, 35%) 314 311 3 50 47 3 113 111 2 142 140 2 Considered, *n*ot prescribed (n=570, 33%) 327 330 −3 118 119 −1 116 118 −2 2 3 −1 *N*ot considered (n=545, 32%) 18 18 0 16 18 −2 57 57 0 450 452 −2 Physiotherapy Referred (n=124, 7%) 73 69 4 7 6 1 29 30 −1 19 19 0 Considered, *n*ot referred (n=532, 31%) 369 371 −2 135 147 −12 23 14 9 0 0 0 *N*ot considered (n=1068, 62%) 218 219 −1 42 31 11 234 242 −8 576 576 0 E, expected number; NSAID, non-steroidal anti-inflammatory drug; O, observed number; OA, osteoarthritis; ∆, difference. Patient and clinician characteristics for each cluster are shown in [table 5](#T5){ref-type="table"} with results from the multinomial model comparing clusters in [table 6](#T6){ref-type="table"}. Compared with the *None* cluster, patients in the *High* and *Moderate* clusters tended to consult with a clinician with a higher OA workload, consult multiple times and have less total morbidity ([table 6](#T6){ref-type="table"}). The patients with *High* level of recorded care were more likely to have diagnosed OA (adjusted RRR 1.81, 95% CI 1.41 to 2.32) and less likely to have hand or foot clinical OA than patients in the *None* cluster, while patients in the *Moderate* cluster were less likely to have diagnosed OA (RRR 0.55, 95% CI 0.35 to 0.85) or be overweight (RRR 0.57, 95% CI 0.39 to 0.85), but more likely to have clinical OA in multiple sites (RRR 1.89, 95% CI 0.99 to 3.59) than patients in the *None* cluster. Patients in the *Low* cluster were less likely than patients in the *None* cluster to have a single consultation (RRR 0.45, 95% CI 0.34 to 0.60), have clinical OA in the foot (RRR 0.25, 95% CI 0.13 to 0.51) or have multimorbidity. ###### Patient and clinician characteristics for each cluster ----------------------------------------------------------------------------------------------------- Total n (%) Cluster ------------------------------------------- ------------- ---------- ---------- ---------- ---------- Patient factors Age  45--64 817 277 (34) 109 (13) 293 (43) 138 (17)  65--74 442 213 (48) 20 (5) 144 (33) 65 (15)  75--84 349 133 (38) 35 (10) 116 (33) 65 (19)  85+ 116 36 (31) 20 (17) 42 (36) 18 (6) Gender  Male 710 286 (40) 68 (10) 113 (16) 243 (34)  Female 1014 373 (37) 116 (11) 173 (17) 352 (35) BMI category  Normal 315 111 (35) 54 (17) 48 (15) 102 (32)  Overweight 1080 471 (44) 83 (8) 193 (18) 333 (31)  Not recorded 329 77 (23) 47 (14) 45 (14) 160 (49) Diagnosis  Recorded with joint pain only 1142 366 (32) 148 (13) 207 (18) 421 (37)  OA diagnosis 582 293 (50) 36 (6) 79 (14) 174 (30) Site of OA  Knee 855 359 (42) 80 (9) 149 (17) 267 (31)  Hip 363 135 (37) 41 (11) 68 (19) 119 (33)  Foot 125 30 (24) 15 (12) 10 (8) 70 (56)  Hand 152 33 (22) 25 (16) 31 (20) 63 (41)  Unspecified 99 30 (30) 8 (8) 16 (16) 45 (46)  Multiple 130 72 (55) 15 (12) 12 (9) 31 (24) Morbidity load\*  BNF count\ 485 156 (32) 68 (14) 89 (18) 172 (36)   0--4  5--9 578 240 (42) 56 (10) 99 (17) 183 (32)  10+ 661 263 (40) 60 (9) 98 (15) 240 (36) Number of OA consultations†  Multiple 532 250 (47) 63 (12) 99 (19) 120 (23)  Single 1192 409 (34) 121 (10) 187 (16) 475 (40)  Median (IQR) number of OA consultations† 1 (0, 1) 1 (1, 2) 1 (1, 2) 1 (1, 2) 1 (1, 1) Consulter status  Repeat 566 232 (41) 53 (9) 84 (15) 197 (35)  New‡ 1158 427 (37) 131 (11) 202 (17) 398 (34) Clinician factors Clinician OA workload†  Below the median 197 41 (21) 16 (8) 36 (18) 104 (53)  Above the median 1527 618 (41) 168 (11) 250 (16) 491 (32) ----------------------------------------------------------------------------------------------------- \*Number of BNF subchapters from which prescription was made in previous 12 months. †During 6-month period. ‡No clinical OA consultations within the previous 12 months. BMI, body mass index; BNF, British National Formulary; OA, osteoarthritis. ###### Associations of patient and clinician characteristics with cluster membership n=1724 High versus None Moderate versus None Low versus None -------------------------------- --------------------- ---------------------- --------------------- Patient factors Age  45--64 1 1 1  65--74 1.41 (1.07 to 1.84) 0.45 (0.27 to 0.74) 0.97 (0.69 to 1.37)  75--84 1.13 (0.83 to 1.52) 1.02 (0.65 to 1.60) 1.42 (0.99 to 2.05)  85+ 0.91 (0.56 to 1.47) 1.56 (0.85 to 2.89) 1.24 (0.69 to 2.23) Gender  Male 1 1 1  Female 0.86 (0.69 to 1.07) 1.03 (0.75 to 1.43) 1.04 (0.80 to 1.36) BMI category  Normal 1 1 1  Overweight 1.20 (0.91 to 1.60) 0.57 (0.39 to 0.85) 1.33 (0.93 to 1.90)  Not recorded 0.39 (0.27 to 0.56) 0.52 (0.33 to 0.81) 0.52 (0.33 to 0.82) Diagnosis  Recorded with joint pain only 1 1 1  OA diagnosis 1.81 (1.41 to 2.32) 0.55 (0.35 to 0.85) 0.93 (0.68 to 1.29) Site of OA  Knee 1 1 1  Hip 0.86 (0.66 to 1.14) 1.14 (0.76 to 1.71) 1.04 (0.75 to 1.44)  Foot 0.38 (0.24 to 0.60) 0.73 (0.39 to 1.36) 0.25 (0.13 to 0.51)  Hand 0.45 (0.30 to 0.70) 1.18 (0.70 to 1.98) 0.88 (0.56 to 1.39)  Unspecified 0.48 (0.30 to 0.80) 0.85 (0.38 to 1.90) 0.74 (0.41 to 1.34)  Multiple 1.13 (0.75 to 1.74) 1.89 (0.99 to 3.59) 0.65 (0.34 to 1.24) Morbidity load† BNF count   0--4 1 1 1  5--9 0.95 (0.71 to 1.26) 0.74 (0.50 to 1.11) 0.75 (0.54 to 1.06)  10+ 0.64 (0.47 to 0.87) 0.55 (0.35 to 0.86) 0.50 (0.35 to 0.73) Number of OA consultations‡  Multiple 1 1 1  Single 0.43 (0.34 to 0.54) 0.47 (0.33 to 0.66) 0.45 (0.34 to 0.60) Consulter status  Repeat 1 1 1  New§ 1.12 (0.89 to 1.41) 1.09 (0.76 to 1.55) 1.18 (0.88 to 1.59) Clinician factors Clinician OA workload‡  Below the median 1 1 1  Above the median 2.90 (1.98 to 4.25) 2.32 (1.33 to 4.03) 1.46 (0.98 to 2.18) \*Relative risk ratio from multilevel multinomial regression (patients within initial clinician seen) adjusted for all presented covariates, *None* cluster is reference. †Number of BNF subchapters from which prescription was made in previous 12 months. ‡During 6-month period. §No clinical OA consultations within the previous 12 months. BMI, body mass index; BNF, British National Formulary; OA, osteoarthritis; RRR, relative risk ratios. Those in the *High* cluster had slightly higher levels of opioid prescription (36%; Χ^2^ test, P=0.06), oral NSAID prescription (20%; P=0.01) and recorded X-rays (22%; P\<0.01) than patients in the other clusters, although differences between the *High* and *Low* clusters, in particular, were small ([table 7](#T7){ref-type="table"}). ###### Use of management processes other than those used as quality indicators, and recorded severity of pain and functional limitation, by cluster n (column %) Total n (%) Cluster P value\* ------------------------ ------------- ---------- ----------- ---------- ---------- -------- Opioid prescribed 557 (33) 236 (36) 54 (29) 94 (33) 173 (29) 0.06 Oral NSAID prescribed 284 (17) 130 (20) 21 (11) 49 (17) 84 (14) 0.01 X-ray requested 263 (15) 142 (22) 30 (16) 52 (18) 39 (7) \<0.01 n with pain record 1092 645 177 263 7 0.001†  No pain 16 (1) 4 (\<1) 7 (4) 4 (2) 1  Mild pain 348 (32) 187 (29) 69 (39) 91 (35) 1  Moderate pain 582 (53) 357 (55) 84 (47) 136 (52) 5  Severe pain 146 (13) 97 (15) 17 (10) 32 (12) 0 n with function record 1070 646 174 250 0 0.004†  No limitation 101 (9) 46 (7) 29 (16) 26 (10) 0  Mild limitation 456 (43) 276 (43) 73 (42) 107 (43) 0  Moderate limitation 427 (40) 277 (43) 57 (33) 93 (37) 0  Severe limitation 86 (8) 47 (7) 15 (9) 24 (10) 0 \*χ^2^ test. †Excluding *None* cluster. NSAID, non-steroidal anti-inflammatory drug. In those with a record of a pain assessment, patients in the *High* cluster were more likely to have recorded moderate or severe pain (70% vs 57% in the *Moderate* cluster and 64% in the *Low* cluster). The same pattern was seen for functional limitation although differences between clusters were smaller ([table 7](#T7){ref-type="table"}). Discussion {#s4} ========== This study has identified four patterns of recorded primary care management of OA based on previously identified quality indicators of care. Just over a third of patients consulting for clinical OA had recorded care meeting the majority of quality indicators. Another third were not recorded as having received or been considered for any of these quality indicators. Factors associated with higher recorded quality of care included receiving an OA diagnosis, OA in the knee or hip rather than foot or hand, lower total morbidity burden, multiple consultations for clinical OA, and initial consultation with a clinician who was recorded as seeing more than the median number of patients with OA. Previous evidence has demonstrated that guidelines for treatment of OA within primary care are not consistently adhered to.[@R16] The way in which receipt of different recommended care processes for OA are grouped within patients has not previously been investigated. In our study, 38% of the patients were recorded as having received a relatively large number of quality indicators and could be regarded as a group achieving the closest to optimal care based on these indicators (the *High* group). Care for members of two clusters (*Moderate* and *Low)* achieved some quality indicators overall but can be distinguished by the fact that information, advice (exercise, weight loss) and physiotherapy were more likely to be considered in the *Moderate* cluster than the *Low* cluster. A third of patients were in the *None* cluster which demonstrated the weakest recorded quality of care with the majority of this group lacking recorded achievement or consideration of any indicator. The patients in the cluster with the best recorded care (*High*) were also more likely to receive other elements of care such as oral NSAIDs and referral for X-ray. NICE does not recommend routine use of X-ray for OA diagnosis and suggests that opioids and oral NSAIDS should be used only if topical NSAIDs and paracetamol do not relieve pain.[@R3] The greater use of these approaches in the *High* cluster may reflect worse severity of OA and this cluster did have slightly higher levels of clinician-recorded pain and functional limitation than those in the *Moderate* and *Low* clusters. While one hypothesis may be that patients in the *High* cluster are given all possible care elements, this is unlikely to be the case as differences between clusters on the non-quality indicator elements of care were generally small, and most patients in the *High* cluster were not in receipt of these non-recommended approaches. It is possible that the clinicians treating those in the *High* cluster were more engaged with, or more confident in managing OA. Confidence in OA management could be associated with confidence in OA diagnosis, which may explain the increased use of OA Read codes in these patients. Conversely, where OA Read codes were not given there may have been uncertainty about both diagnosis and management. Previous qualitative observational research of primary care consultations has identified confusion about the construct of OA, with family doctors tending not to use the term 'osteoarthritis' with patients but instead, normalising symptoms.[@R19] A formal diagnosis of OA, delivered explicitly, may be needed for holistic components of care such as patient education and self-management support to be offered.[@R5] Patients with greater morbidity received a lower recorded quality of care and this may be because they were (perhaps erroneously) considered less suitable for non-pharmacological and relatively safe pharmacological options. It is also possible that OA was given lower priority compared with their other problems.[@R19] Patients with foot (and to some extent hand) OA may also have been particularly susceptible to lower levels of recorded quality of care and this site has been less well investigated with regard to effective interventions.[@R21] This is the first study known to the authors which examines patterns of quality of care of chronic conditions such as OA. Other analyses of recorded quality of care for OA have reported some influences on individual process measures. Broadbent *et al* identified older age as being associated with reduced information provision but increased initial use of paracetamol and, where an oral NSAID was prescribed, greater first use of ibuprofen or a cyclooxygenase-2 selective NSAID; female sex was associated with increased information provision; severe OA was associated with increased pain and function assessment in the previous year.[@R23] Unlike in this analysis, Min *et al* identified an association between multimorbidity (using a count of conditions) and better quality of care among vulnerable elders, some of whom had OA.[@R24] This study has important strengths. The study population was large and the practices were diverse with respect to urbanisation, staffing, deprivation and size of registered population, implying good generalisability. Prescription recording is likely to be near complete since most prescribing is electronic and use of the e-template mitigates against missing data from patients using over-the-counter pharmacological approaches. The e-template also facilitates enhanced data collection in general practice without incurring biases such as social desirability. LCA uses probabilistic modelling and finite mixture distributions to collect participants into clusters, which is a different method from traditional clustering techniques (eg, cluster analysis). Given this, LCA should produce a lower misclassification rate and better statistical criteria for investigating model fit.[@R25] While there was variation in quality of care between clinicians and practices,[@R5] clustering effects of patients within clinicians were adjusted for through the multilevel model. There are some limitations in this analysis. Due to the inherent nature of EHR studies, the data extracted are a function of both the individual clinician's clinical and recording behaviours. It is therefore possible that some patients were misclassified as the lack of a record of a care process does not conclusively demonstrate that it did not occur. Compared with prescription recording, it is less certain how well-recorded referrals are. However, despite the limitations of EHR data, the differences in levels of prescribed analgesia between the clusters suggest there were real differences in care between the four clusters identified. Conversely, patients may have been coded as receiving some elements of care without this necessarily having been conducted in a comprehensive or meaningful way. Triangulation of medical record indicators with patient-reported indicators would be needed to evaluate this further. Our assumption that those without a weight recorded were considered for weight loss advice was based on the increased likelihood of a weight recording if a patient appears overweight[@R11] but will have overestimated the proportion of patients considered for weight loss advice. However, over 80% of patients did have a weight record. The association between multiple consultations for OA and clusters with higher recorded quality of care may reflect greater opportunity to provide and record care but may also have reflected a greater disease severity and healthcare need. Although we considered comorbidities, previous research has identified that OA may be discussed in complex consultations about multiple problems[@R19] and the length of time discussing OA in a consultation would likely be an important influence on the level of recorded care. It is also possible that those with recorded peripheral joint pain rather than recorded OA may not have OA, particularly in the foot.[@R26] The e-template itself was previously found to be associated with increased prescription of paracetamol and topical NSAIDs and so the patterns of care recorded may not be generalisable to practices not using the e-template.[@R5] Promotion of core interventions (information, exercise and weight loss advice), alongside appropriate use of the relatively safe pharmacological options, remains an important strategy in the primary care management of OA, but many patients receive few or none of these. This is particularly true for patients with higher levels of morbidity, or hand or foot OA. While there is substantial variation in recorded care of OA, high-quality care appears feasible given we found that over a third of patients with OA were recorded as receiving most core recommendations. A lack of a systematic approach to people with OA has previously been reported.[@R27] A structured annual review for people with OA[@R28] as recommended by NICE[@R10] may help. This may possibly be nurse led and integrated, where appropriate, into a multimorbidity long-term condition review. However, causes of variation in providing and recording of high-quality care still need to be identified and mechanisms need to be explored to ensure appropriate delivery of care to all patients. Supplementary Material ====================== ###### Reviewer comments ###### Author\'s manuscript The authors thank the OA Research Users' Group, NIHR West Midlands CRN Primary Care, and the network, health informatics, study coordinator, research nurse and administrative staff at Keele University's Arthritis Research UK Primary Care Centre and Keele Clinical Trials Unit for all their support and assistance with this study. The authors give special thanks to all of the staff and patients at the participating general practices, and the GP facilitators who provided support to the general practices involved in the study. **Contributors:** HJ and LAB performed the analysis and drafted and revised the paper. KPJ and JJE developed the analysis plan, cleaned the data, and drafted and revised the paper; KSD is the PI for the study, led the design of the MOSAICS study, and revised the paper; EC, ZP and AGF were involved in the interpretation of the findings and revised the paper. All authors have approved the final version. **Funding:** This paper presents independent research funded by the National Institute for Health Research (NIHR) Programme Grant (RP-PG-0407-10386). The views expressed in this paper are those of the authors and not necessarily those of the NHS, the NIHR or the Department of Health. This research was also funded by the Arthritis Research UK Primary Care Centre grant (Grant No. 18139). HJ and LAB were funded by an NIHR Research Methods Training Fellowship. KSD is partly funded by the NIHR Collaborations for Leadership in Applied Health Research and Care West Midlands and a Knowledge Mobilisation Research Fellowship (KMRF-2014-03-002) from the NIHR. EC and JJE are Academic Clinical Lecturers in Primary Care funded by the NIHR; JJE was previously supported by an In-Practice Fellowship from the NIHR. **Competing interests:** KPJ reports grants from National Institute for Health Research, grants from Arthritis Research UK, during the conduct of the study. KSD reports grants from Arthritis Research UK Centre in Primary Care grant, grants from National Institute for Health Research (NIHR) Programme Grant (RP-PG-0407-10386), during the conduct of the study; grants from Knowledge Mobilisation Research Fellowship (KMRF-2014-03-002), non-financial support from National Institute of Health and Care Excellence, other from Bone and Joint Decade 2015 Conference Oslo, non-financial support from National Institute of Health and Care Excellence Quality Standards, grants from EIT-Health, other from Osteoarthritis Research Society International, outside the submitted work; and Member of the NICE Osteoarthritis Guidelines Development Group CG 59 (2008) and CG 177 (2014). The other authors declare no competing interests. **Ethics approval:** North West Research Ethics Committee, Cheshire (reference: 10/H1017/76) **Provenance and peer review:** Not commissioned; externally peer reviewed. **Data sharing statement:** The Centre has established data sharing arrangements to support joint publications and other research collaborations. Applications for access to anonymised data from our research databases are reviewed by the Centre's Data Custodian and Academic Proposal (DCAP) Committee and a decision regarding access to the data is made subject to the NRES ethical approval first provided for the study and to new analysis being proposed. Further information on our data sharing procedures can be found on the Centre's website (<http://www.keele.ac.uk/pchs/publications/datasharingresources/>) or by emailing the Centre's data manager (primarycare.datasharing\@keele.ac.uk).
null
minipile
NaturalLanguage
mit
null
Tagged The Christians The Christians’s premise has interesting potential; a pastor preaches a controversial sermon to his congregation and must face the landslide of consequences that follow. What begins as a slightly disjointed ...
null
minipile
NaturalLanguage
mit
null
As we age, our spines change. These normal wear-and-tear effects of aging can lead to narrowing of the spinal canal. This condition is called spinal stenosis. Degenerative changes of the spine are seen in up to 95% of people by the age of 50. Spinal stenosis most often occurs in adults over 60 years old. Pressure on the nerve roots is equally common in men and women. A small number of people are born with back problems that develop into lumbar spinal stenosis. This is known as congenital spinal stenosis. It occurs most often in men. People usually first notice symptoms between the ages of 30 and 50. Anatomy Your spine is made up of small bones, called vertebrae, which are stacked on top of one another. Muscles, ligaments, nerves, and intervertebral disks are additional parts of your spine. Understanding your spine and how it works can help you better understand spinal stenosis. Learn more about spine anatomy: Spine BasicsSpine Basics (topic.cfm?topic=A00575) Arthritis is the most common cause of spinal stenosis. Arthritis refers to degeneration of any joint in the body. When we are young, disks have a high water content (left). As disks age and dry out, they may lose height or collapse (right). This puts pressure on the facet joints and may result in arthritis. In the spine, arthritis can result as the disk degenerates and loses water content. In children and young adults, disks have high water content. As we get older, our disks begin to dry out and weaken. This problem causes settling, or collapse, of the disk spaces and loss of disk space height. As the spine settles, two things occur. First, weight is transferred to the facet joints. Second, the tunnels that the nerves exit through become smaller. As the facet joints experience increased pressure, they also begin to degenerate and develop arthritis, similar to that occurring in the hip or knee joint. The cartilage that covers and protects the joints wears away. If the cartilage wears away completely, it can result in bone rubbing on bone. To make up for the lost cartilage, your body may respond by growing new bone in your facet joints to help support the vertebrae. Over time, this bone overgrowth-called spurs-may narrow the space for the nerves to pass through. Arthritic bone spurs narrow the spinal canal. Another response to arthritis in the lower back is that ligaments around the joints increase in size. This also lessens space for the nerves. Once the space has become small enough to irritate spinal nerves, painful symptoms result. Back pain. People with spinal stenosis may or may not have back pain, depending on the degree of arthritis that has developed. Spinal nerves relay sensation in specific parts of your body. Pressure on the nerves can cause pain in the areas that the nerves supply. Pain in the buttocks that radiates down the leg — called sciatica — is caused by this pressure. Burning pain in buttocks or legs (sciatica). Pressure on spinal nerves can result in pain in the areas that the nerves supply. The pain may be described as an ache or a burning feeling. It typically starts in the area of the buttocks and radiates down the leg. As it progresses, it can result in pain in the foot. Numbness or tingling in buttocks or legs. As pressure on the nerve increases, numbness and tingling often accompany the burning pain. Although not all patients will have both burning pain and numbness and tingling. Weakness in the legs or "foot drop." Once the pressure reaches a critical level, weakness can occur in one or both legs. Some patients will have a foot-drop, or the feeling that their foot slaps on the ground while walking. Less pain with leaning forward or sitting. Studies of the lumbar spine show that leaning forward can actually increase the space available for the nerves. Many patients may note relief when leaning forward and especially with sitting. Pain is usually made worse by standing up straight and walking. Some patients note that they can ride a stationary bike or walk leaning on a shopping cart. Walking more than 1 or 2 blocks, however, may bring on severe sciatica or weakness. Medical History and Physical Examination After discussing your symptoms and medical history, your doctor will examine your back. This will include looking at your back and pushing on different areas to see if it hurts. Your doctor may have you bend forward, backward, and side-to-side to look for limitations or pain. Imaging Tests Other tests which may help your doctor confirm your diagnosis include: X-rays. Although they only visualize bones, X-rays can help determine if you have spinal stenosis. X-rays will show aging changes, like loss of disk height or bone spurs. X-rays taken while you lean forward and backward can show "instability" in your joints. X-rays can also show too much mobility. This is called spondylolisthesis. Magnetic resonance imaging (MRI). This study can create better images of soft tissues, such as muscles, disks, nerves, and the spinal cord. Additional tests. Computed tomography (CT) scans can create cross-section images of your spine. Your doctor may also order a myelogram. In this procedure, dye is injected into the spine to make the nerves show up more clearly. It can help your doctor determine whether the nerves are being compressed. Nonsurgical Treatment Nonsurgical treatment options focus on restoring function and relieving pain. Although nonsurgical methods do not improve the narrowing of the spinal canal, many people report that these treatments do help relieve symptoms. Lumbar traction. Although it may be helpful in some patients, traction has very limited results. There is no scientific evidence of its effectiveness. Anti-inflammatory medications. Because stenosis pain is caused by pressure on a spinal nerve, reducing inflammation (swelling) around the nerve may relieve pain. Non-steroidal anti-inflammatory drugs (NSAIDs) initially provide pain relief. When used over the course of 5-10 days, they can also have an anti-inflammatory effect. Most people are familiar with nonprescription NSAIDs, such as aspirin and ibuprofen. Whether over-the-counter or prescription strength, these medicines must be used carefully. They can lead to gastritis or stomach ulcers. If you develop acid reflux or stomach pains while taking an anti-inflammatory, be sure to talk with your doctor. Steroid injections. Cortisone is a powerful anti-inflammatory drug. Cortisone injections around the nerves or in the "epidural space" can decrease swelling, as well as pain. They also reduce numbness, but not weakness, in the legs. Patients should receive no more than three injections a year. Acupuncture. Acupuncture can be helpful in treating some of the pain for less severe cases of lumbar stenosis. Although it can be very safe, long-term success with this treatment has not been proven scientifically. Chiropractic manipulation. Chiropractic manipulation is generally safe and can help with some of the pain from lumbar stenosis. Care should be taken if a patient has osteoporosis or disk herniation. Manipulation of the spine in these cases can worsen symptoms or cause other injuries. Surgical Treatment Surgery for lumbar spinal stenosis is generally reserved for patients who have poor quality of life due to pain and weakness. Patients may complain of difficulty walking for extended periods of time. This is often the reason that patients consider surgery. There are two main surgical options to treat lumbar spinal stenosis: laminectomy and spinal fusion. Both options can result in excellent pain relief. Be sure to discuss the advantages and disadvantages of both with your doctor. Laminectomy. This procedure involves removing the bone, bone spurs, and ligaments that are compressing the nerves. This procedure may also be called a "decompression." Laminectomy can be performed as open surgery, in which your doctor uses a single, larger incision to access your spine. The procedure can also be done using a minimally invasive method, where several smaller incisions are made. Your doctor will discuss the right option for you. (Left) To access the spine, muscles are pulled back to expose the bone. (Right) After the laminectomy, bone graft material and screws are placed along the sides of the vertebrae to help with healing. Spinal fusion. If arthritis has progressed to spinal instability, a combination of decompression and stabilization or spinal fusion may be recommended. Rehabilitation. After surgery, you may stay in the hospital for a short time, depending on your health and the procedure performed. Healthy patients who undergo just decompression may go home the same or next day, and may return to normal activities after only a few weeks. Fusion generally adds 2 to 3 days to the hospital stay. Your surgeon may give you a brace or corset to wear for comfort. He or she will likely encourage you to begin walking as soon as possible. Most patients only need physical therapy to strengthen their backs. Your physical therapist may show you exercises to help you build and maintain strength, endurance, and flexibility for spinal stability. Some of these exercises will help strengthen your abdominal muscles, which help support your back. Your physical therapist will create an individualized program, taking into consideration your health and history. Most people can go back to a desk job within a few days to a few weeks after surgery. They may return to normal activities after 2 to 3 months. Older patients who need more care and assistance may be transferred from the hospital to a rehabilitation facility prior to going home. Surgical risks. There are minor risks associated with every surgical procedure. These include bleeding, infection, blood clots, and reaction to anesthesia. These risks are usually very low. Elderly patients have higher rates of complications from surgery. So do overweight patients, diabetics, smokers, and patients with multiple medical problems. Specific complications from surgery for spinal stenosis include: Tear of the sac covering the nerves (dural tear) Failure of the bone fusion to heal Failure of screws or rods Nerve injury Need for further surgery Failure to relieve symptoms Return of symptoms Surgical outcomes. Overall, the results of laminectomy with or without spinal fusion for lumbar stenosis are good to excellent in the majority of patients. Patients tend to see more improvement of leg pain than back pain. Most patients are able to resume a normal lifestyle after a period of recovery from surgery. Interspinous Process Devices Interspinous process devices, or spacers, are inserted between the spinous processes in the back of the spine. These devices spread the vertebrae apart and keep the space for the nerves open and functioning. This procedure is a minimally invasive surgical option for lumbar spinal stenosis. Interspinous process spacers were approved in 2005. Many procedures have been performed since then. In some studies, success rates are greater than 80 percent. Numerous spacer devices are currently being evaluated. They may be a safe alternative to an open laminectomy for some patients. Limited bone (lamina) is removed with this procedure, and it may be performed under local anesthesia. The key to success with this procedure is appropriate selection of the patients. The appropriate candidate must have relief of buttock and leg pain when sitting or bending forward. The pain returns upon standing. Minimally Invasive Decompression Decompression can be performed using smaller incisions. When using such minimally invasive techniques, there is less injury to the surrounding soft tissues, and recovery may be quicker. With these minimally invasive techniques, surgeons rely more on microscopes to see the area for surgery. They may also take X-rays during the operation. A traditional open procedure requires more direct visualization of the patient's anatomy, and therefore requires a larger incision. This can be more painful for the patient. The limitation of minimally invasive surgery is the degree of visualization available. If the spinal stenosis extends over a large area of the spine, an open technique is the only method that can address the problem. The advantages of minimally invasive procedures include reduced hospital stays and recovery periods. However, both open and minimally invasive techniques relieve stenosis symptoms equally. Your doctor will be able to discuss with you the options that best meet your healthcare needs. AAOS does not endorse any treatments, procedures, products, or physicians referenced herein. This information is provided as an educational service and is not intended to serve as medical advice. Anyone seeking specific orthopaedic advice or assistance should consult his or her orthopaedic surgeon, or locate one in your area through the AAOS "Find an Orthopaedist" program on this website.
null
minipile
NaturalLanguage
mit
null
Improved immune recovery after transplantation of TCRαβ/CD19-depleted allografts from haploidentical donors in pediatric patients. Immune recovery was retrospectively analyzed in a cohort of 41 patients with acute leukemia, myelodysplastic syndrome and nonmalignant diseases, who received αβ T- and B-cell-depleted allografts from haploidentical family donors. Conditioning regimens consisted of fludarabine or clofarabine, thiotepa, melphalan and serotherapy with OKT3 or ATG-Fresenius. Graft manipulation was carried out with anti-TCRαβ and anti-CD19 Abs and immunomagnetic microbeads. The γδ T cells and natural killer cells remained in the grafts. Primary engraftment occurred in 88%, acute GvHD (aGvHD) grades II and III-IV occurred in 10% and 15%, respectively. Immune recovery data were available in 26 patients and comparable after OKT3 (n=7) or ATG-F (n=19). Median time to reach >100 CD3+ cells/μL, >200 CD19+ cells/μL and >200 CD56+ cells/μL for the whole group was 13, 127 and 12.5 days, respectively. Compared with a historical control group of patients with CD34+ selected grafts, significantly higher cell numbers were found for CD3+ at days +30 and +90 (267 vs 27 and 397 vs 163 cells/μL), for CD3+4+ at day +30 (58 vs 11 cells/μL) and for CD56+ at day +14 (622 vs 27 cells/μL). The clinical impact of this accelerated immune recovery will be evaluated in an ongoing prospective multicenter trial.
null
minipile
NaturalLanguage
mit
null
628 F.Supp. 1013 (1985) Mikel SHONKWILER, on behalf of himself and all others similarly situated, James L. Shonkwiler, by and through his next friend, Brenda Shonkwiler, Juan Spurlin, by and through his next friend Donna Morris, Angela Hammond and Daniel Perry, by and through their next friend Joyce Perry All on behalf of themselves and all others similarly situated v. Margaret HECKLER, in her official capacity as Secretary of the United States Department of Health and Human Services and Donald L. Blinzinger, in his official capacity as Administrator of the Indiana State Department of Public Welfare. No. IP 84-1612-C. United States District Court, S.D. Indiana, Indianapolis Division. January 31, 1985. *1014 David J. Dreyer, of Legal Services Organization of Indiana, Inc., Indianapolis, Ind., for plaintiffs. Ann Weismann, of Civ. Div., Dept. of Justice, Washington, D.C., and Carolyn Small, Asst. U.S. Atty., Indianapolis, Ind., for federal defendant. Gary Shaw, Deputy Atty. Gen., Indianapolis, Ind., for state defendant. FINDINGS OF FACT AND CONCLUSIONS OF LAW STECKLER, District Judge. This matter comes before the Court on plaintiffs' application for preliminary injunction. The Court having considered plaintiffs' motion and the briefs of the parties, having heard additional evidence at a hearing conducted on January 15, 1985, and being duly advised in the premises makes the following findings of fact and conclusions of law. Findings of Fact 1. Margaret Heckler is the Secretary of the United States Department of Health and Human Services, and as such is responsible for the implementation of the Aid to Families with Dependent Children program pursuant to 42 U.S.C. § 601, et seq. 2. Donald L. Blinzinger is the Administrator of the Indiana State Department of Public Welfare and as such is responsible for policy and the implementation of the Aid to Families with Children (hereinafter referred to as AFDC) program pursuant to Ind.Code §§ 12-1-2-12 and 12-1-2-17. 3. Under 42 U.S.C. § 602(a)(26)(A), all rights to support for eligible children receiving benefits under the AFDC program must be assigned to the State for collection, with the first fifty dollars ($50.00) returned to the AFDC family unit. 4. Under prior law, any child could choose whether to receive AFDC benefits regardless of the eligibility of their siblings and half-siblings. 5. Section 2640(a) of the Deficit Reduction Act of 1984 was passed by Congress on July 18, 1984 and implemented in Indiana on November 1, 1984. 6. Section 2640(a) provides as follows: "[T]hat in making the determination under paragraph (7) with respect to a dependent child and applying paragraph (8), the State agency shall (except as otherwise provided in this part) include— (A) any parent of such child, and (B) any brother or sister of such child, if such brother or sister meets the conditions described in clauses (1) and (2) of section 406(a), if such parent, brother, or sister is living in the same home as the dependent child, and any income of or available for such parent, brother, or sister shall be included in making such determination and applying such paragraph with respect to the family (notwithstanding section 205(j), in the *1015 case of benefits provided under Title II)." 7. Section 2640(b)(1) provides as follows: "[T]he first $50 of such amounts as are collected periodically which represent monthly support payments shall be paid to the family without affecting its eligibility for assistance or decreasing any amount otherwise payable as assistance to such family during such month." 8. Pursuant to Section 2640(a), defendants are not required to exclude those children who are receiving Social Security benefits. 9. Defendant Heckler issued interim regulations on September 10, 1984 to amend 45 C.F.R. § 206.10 by adding the following: "For AFDC only, in order for the family to be eligible, an application with respect to a dependent child must also include, if living in the same household and otherwise eligible for assistance: * * * * * * "(B) Any blood-related or adoptive brother or sister." 10. Defendant Blinzinger implemented the Secretary's regulation through issuance of Section 2581 of the Indiana AFDC Manual: "AFDC may only be awarded to an eligible dependent child(ren) under age 18 for whom an application must include if living in the same household and otherwise eligible for assistance: * * * * * * "(b) Any natural or adoptive brother or sister. "This includes an half-brother or half-sister who would be categorically eligible." 11. Mikel Shonkwiler and Brenda Shonkwiler were married in Indianapolis, Indiana, on November 17, 1979. 12. At the time of Brenda Shonkwiler's marriage to Mikel Shonkwiler she had, and currently has, custody of two minor children by a former marriage, namely, Jason Adams and Jessica Adams. 13. James L. Shonkwiler was born of the marriage of Mikel Shonkwiler and Brenda Shonkwiler on April 28, 1982. 14. Mikel Shonkwiler and Brenda Shonkwiler were granted a dissolution of marriage on June 11, 1984. 15. James L. Shonkwiler is presently two years old and resides with his mother, Brenda Shonkwiler. 16. Mikel Shonkwiler pays to Brenda Shonkwiler for support of James L. Shonkwiler the sum of Three Hundred Sixty Dollars ($360.00) per month pursuant to The Agreement Regarding Child Custody, Support, Education and Property Settlement incorporated in the Decree of Dissolution, dated June 11, 1984, filed in the Superior Court of Marion County, Room No. 5, Cause No. S583-1517. 17. James L. Shonkwiler is currently covered by his father's group health insurance, Policy No. 11051, with Golden Rule Insurance. Due to recurring ear infections, James L. Shonkwiler visits a physician approximately one time per month for the prescription of antibiotics. The insurance covers these costs and James L. Shonkwiler's father, Mikel Shonkwiler, pays all medical expenses for his son not covered by the insurance, in addition to the support payments. The costs for such medical treatment, including the physician and prescriptions, average approximately Fifty Dollars ($50.00) per month. 18. Effective November 1, 1984 Brenda Shonkwiler's AFDC grant was increased from One Hundred Ninety-two Dollars ($192.00) to Two Hundred Fifty-six Dollars ($256.00) per month due to the inclusion of rent payments in the calculation of AFDC. This constitutes the assistance for Brenda Shonkwiler and the two half-siblings of James L. Shonkwiler, Jason Adams, and Jessica Adams. 19. In November of 1984 Brenda Shonkwiler received a letter from the Marion County Department of Public Welfare stating that James L. Shonkwiler would be added to the AFDC assistance unit and that an appointment should be arranged *1016 with her caseworker in order to discuss the effect of the addition of James L. Shonkwiler. 20. In a telephone conversation with Catherine Brewer, a caseworker, Brenda Shonkwiler stated that she would not keep the scheduled appointment because she had no intention of adding James L. Shonkwiler to the AFDC assistance unit. 21. Although the Shonkwiler household AFDC benefits were terminated because Brenda Shonkwiler did not keep her appointment, if James L. Shonkwiler had been added to the assistance unit, the entire household would have been financially ineligible for AFDC benefits. 22. In December of 1984 the Brenda Shonkwiler household was eligible for One Hundred Fifty-one Dollars ($151.00) in food stamp benefits but did not participate in the program. In January 1985 the Brenda Shonkwiler household is eligible for One Hundred Fifty-one Dollars ($151.00) in food stamp benefits and can acquire the coupons on or after January 16, 1985. 23. In December of 1984 Brenda Shonkwiler received Seventy-six Dollars and Sixty Cents ($76.60) in support from Lester Adams for Jessica and Jason Adams and will receive Seventy-six Dollars and Sixty Cents ($76.60) in January 1985. 24. Brenda Shonkwiler does not maintain separate bank accounts for the two support amounts she receives from Lester Adams and Mikel Shonkwiler. 25. Brenda Shonkwiler is employed by the North Central School System in Indianapolis and received her first check in December 1984 in the gross amount of One Hundred Fifty-six Dollars ($156.00) representing the first seven days of employment in November 1984. 26. After the probationary period Brenda Shonkwiler will be eligible for group medical insurance through the North Central School System. 27. Beginning in October 1984, Brenda Shonkwiler paid Two Hundred Fifty Dollars ($250.00) per month in rent to Mikel Shonkwiler, the father of James L. Shonkwiler. 28. Brenda Shonkwiler has appealed through the administrative hearing process the action to add James L. Shonkwiler to the household and to discontinue AFDC benefits, and an administrative hearing is set for January 17, 1985. 29. Gloria Thomas is the natural mother of Jeremy and Adam Thomas and Antonio Bartlett residing at 5905 Devington Road, Apartment 1, Indianapolis, Indiana 46226. 30. Prior to December 1, 1984 Gloria Thomas received an FDC award of One Hundred Ninety-six Dollars ($196.00) for herself and her son Antonio Bartlett. 31. Gloria Thomas was informed in November of 1984 that Jeremy and Adam Thomas must be added to the AFDC filing unit. 32. In October 1984 Jeremy and Adam Thomas received Two Hundred Eighty Dollars ($280.00) in support from their father. 33. Gloria Thomas was informed that the addition of the Thomas support amount would reduce her AFDC award to One Hundred Seven Dollars ($107.00). 34. Gloria Thomas has appealed through the administrative hearing process the action to add Jeremy and Adam Thomas to the AFDC filing unit. 35. As part of the AFDC household, Jeremy and Adam Thomas will be eligible for Medicaid benefits. 36. The Gloria Thomas household received Two Hundred Twenty-one Dollars ($221.00) in food stamps in December 1984. The household is eligible for Two Hundred Sixty-two Dollars ($262.00) in food stamps in January 1985 and can acquire those coupons on or after January 16, 1985. 37. Gloria Thomas is a nursing student and has received One Thousand Eight Hundred Dollars ($1,800.00) in grant assistance. 38. Donna M. Morris is the natural mother of Juan K. Spurlin. 39. Donna Morris resides at 1265 West 34th Street, Indianapolis, Indiana 46208 with Juan K. Spurlin, Dorren K. Morris, *1017 Devon R. Morris, Dione T. Morris, Donna M. Morris, and DeJuan L. Gholston. 40. Effective November 1, 1984 Juan K. Spurlin was added to the household for AFDC eligibility purposes and a grant award of One Hundred Forty Dollars ($140.00) issued. 41. Effective December 1, 1984 the grant award was increased to Three Hundred Ninety Dollars ($390.00) due to a reduction in child support. 42. Juan K. Spurlin receives Three Hundred Dollars ($300.00) per month from his natural father by military allotment. 43. Once this allotment is verified it will be considered income of the AFDC household and will cause a reduction in AFDC benefits. 44. Donna Morris has appealed through the administrative hearing process the addition of Juan K. Spurlin to the AFDC household by the County Department of Public Welfare. 45. Donna Morris and the children were entitled to Two Hundred Seventy-three Dollars ($273.00) in food stamp assistance for December 1984 and are eligible for Two Hundred Eighty-seven Dollars ($287.00) in food stamps in January 1985. 46. Juan K. Spurlin, as a part of an eligible AFDC household, will receive Medicaid benefits. 47. Joyce Elizabeth Perry is the natural mother of Angela Sue Hammond. 48. Joyce Elizabeth Perry resides in subsidized housing at 258 A Peachtree Court, Greenwood, Indiana 46142 with Angela Sue Hammond and Daniel James Perry. 49. Joyce Elizabeth Perry and Angela Sue Hammond each began receiving Ninety-nine Dollars ($99.00) per month from the Social Security Administration and effective November 1, 1984 the Johnson County Department of Public Welfare took action to discontinue the AFDC grant award in the amount of Thirty-seven Dollars ($37.00). 50. Joyce Elizabeth Perry appealed the discontinuance through the administrative hearing process. A hearing was held on November 30, 1984 and the parties are awaiting a decision. 51. Joyce Elizabeth Perry and her children are entitled to One Hundred Sixty-six Dollars ($166.00) per month in food stamp assistance for December 1984 and are eligible for One Hundred Forty-four Dollars ($144.00) in food stamps for January 1985. Conclusions of Law 1. In 1981 Congress enacted changes in the AFDC program that were intended to reduce or eliminate welfare benefits because of the availability of other sources of income for those considered by Congress to be less needy than those completely without resources. See, Philadelphia Citizens in Action v. Schweiker, 669 F.2d 877, 879 (3d Cir.1982). 2. Consistent with this new philosophy regarding AFDC benefits, Congress further amended Title IV-A of the Social Security Act by adding 42 U.S.C. § 602(a)(38) (Deficit Reduction Act § 2640(a)). 3. This new provision requires all parents, brothers, and sisters living in the same household with an eligible AFDC recipient to be added, along with any income or resources available to them, to the household so that a determination can be made regarding the eligibility of the household for AFDC benefits. 4. The Secretary has issued interim regulations requiring that all income resources of the individuals required to be included in the assistance unit must be considered in determining eligibility and payment for the assistance unit. See, 49 Fed.Reg. 35588. 5. The Secretary's regulations and interpretations of those regulations are binding on the State and its agency, the Indiana State Department of Public Welfare. See, Grubb v. Sterrett, 315 F.Supp. 990 (N.D. Ind.1970), aff'd, 400 U.S. 922, 91 S.Ct. 187, 27 L.Ed.2d 182; Bond v. Stanton, 655 F.2d 766 (7th Cir.1981), cert. denied sub nom. Blinzinger v. Bond, 454 U.S. 1063, 102 S.Ct. 614, 70 L.Ed.2d 601. *1018 6. This matter is certified as a class action containing the following class groups: a. All children in the State of Indiana who have been, or will be, included in an assistance grant under the Aid to Families with Dependent Children program pursuant to the Deficit Reduction Act of 1984, P.L. 98-369, Sec. 2640(a), and Indiana AFDC Manual Section 2581, or whose AFDC assistance will be reduced or terminated by such inclusion. b. All natural or adoptive, non-custodial parents in the State of Indiana whose parental support to their children has been or will be assigned to the Indiana Department of Public Welfare for all class members in subparagraph (a) above who have been, or will be, included in an assistance grant under the AFDC program, pursuant to the Deficit Reduction Act of 1984, P.L. 98-369, Sec. 2640(a) and Indiana AFDC Manual Section 2581. 7. Plaintiffs have failed to establish the essential elements necessary for the issuance of a preliminary injunction against the State and Federal defendants. See, Libertarian Party of Indiana v. Packard, 741 F.2d 981 (7th Cir.1984). 8. Section 2640(a) of the Deficit Reduction Act and the Secretary's regulation implementing the statutory provision are not constitutionally infirm. 9. Mikel Shonkwiler, the natural father of James L. Shonkwiler, is not irreparably harmed because his obligation to pay support is not affected by treating all siblings and half-siblings as one household for the purpose of determining AFDC eligibility. 10. The named plaintiffs and the class are not irreparably harmed inasmuch as the treatment of all family members residing in one household as a unit reflects Congress' intent, that is, if all members of the household live together it is presumed that the family shares household expenses. 11. The harm to the defendants of issuing a preliminary injunction outweighs any potential harm to the plaintiffs and class members in that Congress has clearly mandated that all siblings living in the same household be considered as one household and their incomes be combined for purposes of determining AFDC eligibility. 12. The public interest demands that Congress' and the Secretary's intent to reduce the AFDC rolls be implemented; furthermore, this congressional intent is consistent with the new public assistance philosophy, represented by the 1981 Omnibus Budget Reconciliation Act, which mandates that those states which participate in the AFDC program reduce or eliminate welfare benefits for households that have other sources of income or resources available to support themselves. See, Philadelphia Citizens in Action v. Schweiker, supra, 669 F.2d at 879.
null
minipile
NaturalLanguage
mit
null
As is known, radio and unprotected point-to-point optical communication systems do not guarantee privacy since it is simple to detect and decode the radiated signal. Propagation by electrical signals in a wire, coaxial cable or waveguide likewise do not guarantee privacy since there is always some stray radiation and since it is relatively simple to tap into the electrical system. On the other hand, optical waveguides (i.e., fiber optics) offer greater privacy since there is no stray electromagnetic radiation. However, it is still possible to deliberately penetrate a cladding around the optical signal-carrying fiber or fibers and extract a signal unless the complete length of fiber cable is maintained secure. For example, the cladding may be removed at a point along the length of the cable without detection and a signal extracted by a probe. Various types of probes can be used such as a Tee-connection, a prism, the core of an optical fiber or an electro-optical detector. In the past, encryption (i.e., secret coding) of the signal has been required to avoid interpretation. Encryption equipment, however, is costly and introduces additional data processing delays.
null
minipile
NaturalLanguage
mit
null
Discuss the latest comic book news and front page articles, read or post your own reviews of comics, and talk about anything comic book related. Threads from the two subforums below will also show up here. News Stand topics can also be read and posted in from The Asylum. "Why are you pointing your screwdrivers like that? They're scientific instruments, not water pistols.""Oh, the pointing again! They're screwdrivers! What are you going to do? Assemble a cabinet at them?""Are you capable of speaking without flapping your hands about?"""Timey" what? "Timey wimey"?" IvCNuB4 wrote:The Old Doctor is Cat-Scratch ?Well that explains a lot :lol: A friend just sent to me along with and image I have to figure out how to send it to you. Your type of thing. He's a big manga fan and comes across this sort of stuff and sends me a copy since he knows I'm a fan. "Why are you pointing your screwdrivers like that? They're scientific instruments, not water pistols.""Oh, the pointing again! They're screwdrivers! What are you going to do? Assemble a cabinet at them?""Are you capable of speaking without flapping your hands about?"""Timey" what? "Timey wimey"?" IvCNuB4 wrote:The Old Doctor is Cat-Scratch ?Well that explains a lot :lol: "Why are you pointing your screwdrivers like that? They're scientific instruments, not water pistols.""Oh, the pointing again! They're screwdrivers! What are you going to do? Assemble a cabinet at them?""Are you capable of speaking without flapping your hands about?"""Timey" what? "Timey wimey"?" IvCNuB4 wrote:The Old Doctor is Cat-Scratch ?Well that explains a lot :lol: "Why are you pointing your screwdrivers like that? They're scientific instruments, not water pistols.""Oh, the pointing again! They're screwdrivers! What are you going to do? Assemble a cabinet at them?""Are you capable of speaking without flapping your hands about?"""Timey" what? "Timey wimey"?" IvCNuB4 wrote:The Old Doctor is Cat-Scratch ?Well that explains a lot :lol: I'm starting to think that would make a good anime/manga style statue of PG. "Why are you pointing your screwdrivers like that? They're scientific instruments, not water pistols.""Oh, the pointing again! They're screwdrivers! What are you going to do? Assemble a cabinet at them?""Are you capable of speaking without flapping your hands about?"""Timey" what? "Timey wimey"?" IvCNuB4 wrote:The Old Doctor is Cat-Scratch ?Well that explains a lot :lol: "Why are you pointing your screwdrivers like that? They're scientific instruments, not water pistols.""Oh, the pointing again! They're screwdrivers! What are you going to do? Assemble a cabinet at them?""Are you capable of speaking without flapping your hands about?"""Timey" what? "Timey wimey"?" IvCNuB4 wrote:The Old Doctor is Cat-Scratch ?Well that explains a lot :lol:
null
minipile
NaturalLanguage
mit
null
Prevalence and correlates of major depressive disorder in Nigerian outpatients with heart failure. This study aims to estimate the prevalence and correlates of major depressive disorder (MDD) in Nigerian outpatients with heart failure. Authors assessed patients with heart failure (N = 102) for DSM-IV diagnosis of MDD and obtained sociodemographic and clinical data. MDD was found in 28 (27.5%) of the patients. The significant correlates predicting MDD included unemployment and disability due to the illness, more severe illness (NYHA class), age younger than 60 years, and not being married. These factors should be considered in planning further studies and in screening and intervention programs for patients with heart failure.
null
minipile
NaturalLanguage
mit
null
37 + 253 + 512)*(2*j - 12*j + 0*j) in the form d*j + u and give d. -10020 Express (-3*r + 0 + 0)*(-6*r + 4*r**2 + 6*r) + 2*r**3 + r**3 - r**3 + 93*r**3 + 595*r**3 + 62*r**3 as w + c*r**2 + p*r + a*r**3 and give a. 740 Rearrange 41 - 3507*w - 2017*w - 41 to n*w + l and give n. -5524 Express (-4 + 1 + 4)*(0 - j**2 + 0) - 2 + 3115*j - 2*j**2 + j**2 - 2954*j as o*j**2 + a*j + d and give a. 161 Express 4*r**2 - 3*r**2 - 43*r - 123*r + 212*r + 5*r**4 + 1 as w*r + f*r**3 + n*r**2 + t*r**4 + g and give n. 1 Express 6*u + 40586*u**2 - 5*u - u - 47315*u**2 in the form r*u**2 + s + f*u and give r. -6729 Rearrange c - 468*c**3 - 325 + 325 - 3*c**2 + 6*c**2 to the form i + a*c + w*c**3 + n*c**2 and give n. 3 Rearrange -n**2 + n**2 - 2*n**2 + (138 + 62 - 59)*(n - n - n)*(2 - 2 + 2)*(-2*n - 2 + 3*n + 0*n) to r*n**2 + i + f*n and give r. -284 Rearrange (u - 3*u + 4*u)*(0*u + 0*u - 3*u) - 873 + 487*u**2 + 459 + 412 to q*u**2 + n*u + t and give q. 481 Express 12203*k - 7064*k + 8938*k + 20598*k in the form h*k + q and give q. 0 Rearrange 7*d + 8*d - 9451260 + 9451330 - 3 + 3 - 2*d - 2*d - 4 + 4 + (1 - 1 + d)*(2 + 1 - 4) - 2*d - d + 5*d to the form b + z*d and give z. 12 Express -5*s**3 - 3*s**4 + 3*s**3 + 9718*s**2 - 9720*s**2 + 2*s - 4*s**4 + 15 as k*s + u*s**2 + l*s**4 + v + m*s**3 and give m. -2 Express 12*m + 3*m - m + m - 1 + 1 + (277 - 58 + 809)*(0*m + 2*m - 4*m) in the form d + p*m and give p. -2041 Express 4769*j - 1691*j - 5886*j - 7738*j - 5556*j in the form h*j + t and give h. -16102 Express -85 - 1 + 84 + 3*a + 12*a**3 + (-a**2 - 4*a**2 + a**2)*(-4*a + 0*a + 3*a) + 0*a - 2*a**3 + 0*a in the form w*a**3 + s + j*a**2 + t*a and give s. -2 Express 1353 + 14811*b**2 - 1353 - 11296*b**2 + 41475*b**2 in the form z + p*b**2 + s*b and give p. 44990 Express -1 - 5 - 4 + 2*s + (-6 + 6 - 3*s)*(-4 - 3 + 6) - 2*s - 2*s + 6*s - 143*s - 10620 + 10620 as m*s + f and give m. -136 Rearrange 4*u**4 + 118714*u**3 - 1 - 118490*u**3 - u**2 - 8*u**4 to the form r*u**3 + b*u**2 + o + w*u + x*u**4 and give r. 224 Rearrange -88*f**2 + 1 - 17*f - 35*f + 52*f to the form r*f + d + b*f**2 and give b. -88 Rearrange (-1066 - 1168 - 813 - 1277 - 577)*(-2*a**4 - 3*a**4 + a**4) to m*a + p*a**3 + u*a**4 + b*a**2 + w and give u. 19604 Express (-11 + 9*h + 7*h + 9)*(8 + 0 - 2)*(-103*h**3 + 15*h + 9*h + 102*h**3) as w + l*h + k*h**2 + z*h**4 + f*h**3 and give k. 2304 Express -38 + q - 12*q**3 + 13*q**3 + 5*q - 44 - q in the form j + c*q + a*q**3 + v*q**2 and give c. 5 Express -4 + 4 + 3*k + k + k + 0*k + (0 + 2 - 4)*(4*k - k - 5*k) - 2 + 2 - k - 523*k - 29*k - 396*k in the form v + n*k and give n. -940 Express (-160*k + 151*k - 119*k + 3)*(1 - 15*k**2 - 1)*(0 + 2*k + 0) in the form o*k**3 + j*k**2 + h*k**4 + n*k + t and give o. -90 Rearrange 10479*c - 47942728 + 47942728 to s*c + j and give s. 10479 Express 587*p + 2648*p + 391*p in the form h + v*p and give v. 3626 Express 2*o - 977*o**2 - 946*o**2 - o**3 + 30*o**3 + 2*o**3 + 1865*o**2 in the form q*o**3 + p*o**2 + k*o + b and give k. 2 Rearrange (-g + 4 - 3 - 3)*(-3 + 37*g**2 - 17*g**2 + 955*g**3 - 957*g**3) - 130*g + 27*g**4 + 130*g to b*g**2 + k*g**4 + u*g**3 + d + w*g and give u. -16 Express 2*i**4 + 0*i**4 + 4*i**4 + (4*i**2 - 5*i**2 + 0*i**2)*(-75*i**2 + 9*i**2 - 16*i**2) as d*i + r*i**2 + y*i**3 + z + s*i**4 and give s. 88 Express (-108 - 146 - 38 - 26)*(j + 55*j**2 - 80*j**2 + 0*j) as v + r*j + w*j**2 and give v. 0 Express (-100*p + 239*p + 166*p)*(-3 + 2 + 2)*(8 - 1 + 0) in the form n*p + i and give n. 2135 Rearrange 11*f**2 - 10*f**2 + 22*f + 5 + 339*f**4 - 340*f**4 + 3*f**3 to g*f**4 + n*f**3 + z*f + j + a*f**2 and give n. 3 Express (-4 - q + 4)*(-2 + 5 - 2) + 0*q + 5*q - 3*q - 3*q + 3*q + 4*q - 7 - 21*q + 0 + 9*q as h + g*q and give h. -7 Rearrange -40231 - 71*v**2 + 20115 + 20116 + 33*v to m*v**2 + k*v + i and give m. -71 Express t**2 + 5*t**4 + 0*t**4 - 14*t**4 + 8*t**3 - 3 - t + 12*t**4 + 2*t in the form l*t**4 + x*t + c*t**3 + v + y*t**2 and give x. 1 Express -109459*m**3 + 109460*m**3 + 2106 + 0*m**4 - 2*m**4 + m**2 in the form d*m + u*m**4 + f*m**2 + p*m**3 + l and give l. 2106 Express k - k**2 - k + (16 + 105 + 60)*(-4*k**2 - 10*k**2 - 8*k**2) in the form c*k + q*k**2 + z and give q. -3983 Express -5*q**2 + 2 - 19*q**4 - 23*q**3 - 19*q**3 + 2*q + 5*q**3 + 38*q**3 as o + r*q + i*q**2 + k*q**3 + a*q**4 and give r. 2 Rearrange 3*x**3 + 23*x**3 + 9*x**3 + (0 - 3 + 2)*(-x**3 - x**3 + 3*x**3) - 63*x**3 + 131*x**3 - 69*x**3 - 78 to f*x + s + a*x**2 + n*x**3 and give n. 33 Rearrange 342291905*u - 342291905*u + 14414*u**2 to the form n + k*u**2 + o*u and give n. 0 Rearrange -67 - 192 - k + 133 + 126 + 2352*k**2 to g*k**2 + i + f*k and give g. 2352 Rearrange (0 + 0 + 2)*(-3 + 3 - g) - 3*g - 136 + 136 + (-41 + 101 - 43)*(0*g + 0*g + g) to q + i*g and give i. 12 Express 3 + 2*y**2 - 3 + (2*y**2 + y - y)*(0 + 0 + 2) + 8009*y**2 - 764*y - 746*y + 1510*y as o*y + k*y**2 + m and give k. 8015 Rearrange 1051*y - 5*y**2 - 44 + 43 - 1047*y - 32*y**3 to v*y**2 + x + p*y + a*y**3 and give v. -5 Rearrange 135202 - 41*c + 87*c - 135193 to the form g + i*c and give g. 9 Express h - 4*h + 2*h + (3*h + 2*h - 4*h + (0 + 2*h + 0)*(0 - 2 + 1) - 726*h - 498*h + 598*h)*(2 - 2 - 2) as b*h + j and give b. 1253 Express 97*u + 91*u + 1 - 8*u**3 - 54*u as d*u**3 + f*u**2 + n*u + g and give d. -8 Rearrange -16603 + 8303 + 8300 - u**2 - 506*u to the form x + o*u + b*u**2 and give o. -506 Express -2*w**2 - 8*w - w**3 + 0*w + 3*w**3 + 16554 - 16567 as j + l*w**3 + h*w**2 + o*w and give j. -13 Express (-4 + 2 + 0)*(27*d - 227*d + 90931*d**2 + 4*d**3 - 90927*d**2) as n*d + l*d**3 + v + w*d**2 and give w. -8 Rearrange -24 + 24 + 6*d + (-3*d - 4*d + 6*d)*(4 + 1 - 6) + 18634 - 18634 + 703*d to the form q*d + m and give q. 710 Express -907 + 3896*w - 913 + 1820 as z*w + v and give z. 3896 Express -1780*o + 427*o + 180*o - 2544*o - 1203*o as s + d*o and give d. -4920 Rearrange 6*d + 4*d - 415 - 15*d - 19*d + 376 to t*d + m and give t. -24 Express (-19 - 6 + 11)*(19*g**2 - 77 + 45 + 34) in the form a*g + c + j*g**2 and give c. -28 Rearrange 2*j**2 + 839*j + 2*j**3 + j**4 - 3*j**3 + 2*j**3 - 848*j to the form n*j**4 + y*j**3 + u*j + t*j**2 + d and give y. 1 Express -917*b - 29*b**2 + 1831*b - 915*b + (3*b + 17*b - b)*(-2*b - b - 3*b) as c + a*b + h*b**2 and give a. -1 Express q**4 - 38*q + 5*q - 39*q + 0*q**3 - 27 - q**2 + 67*q - 3*q**3 in the form k*q**3 + u*q**4 + f + y*q + a*q**2 and give k. -3 Rearrange (-1 + 5 - 2)*(177*b - 363*b + 181*b + 19)*(62*b - 32*b - 29*b - 10) to q*b + t*b**2 + w and give w. -380 Rearrange 2*g - 61*g**2 + 151*g**2 - 52*g**2 + 0*g + 11 - 59*g**2 to the form d*g + f + x*g**2 and give d. 2 Rearrange q**3 - 9*q**2 + 65061*q + 4*q**3 + 0*q**3 - 65062*q - 18*q**2 to s + y*q**3 + f*q**2 + d*q and give d. -1 Express 6*a**3 + 1558*a - 1556*a + 111 - 8*a**3 - 20*a**2 as v + y*a**2 + l*a**3 + z*a and give z. 2 Rearrange 526 - 538 + 423*g**2 + 10 to v*g + m*g**2 + r and give m. 423 Rearrange (1 - 3 + 4 + (3 + 1 - 5)*(0 + 0 + 2) + 60 - 228 - 39 + 4 - 3 + 0)*(-2 + 1 + 0)*(f + 2 + f - f) to c*f + p and give c. 206 Express -1796*o - 5 + 1800*o + 5*o**4 - 21*o**4 - o**2 + 4*o**3 + 10*o**4 in the form r*o**4 + d*o**3 + k*o**2 + n + j*o and give n. -5 Rearrange 5*k + 24319 + 2*k**4 - 2*k**3 - 8099 - 8106 + 2*k**2 - 8097 to the form y*k + j + o*k**4 + g*k**2 + l*k**3 and give g. 2 Express -k**2 - 117737*k**4 + 7 - 2*k**3 - 117769*k**4 + 235474*k**4 - k in the form d*k**3 + b*k + c + i*k**2 + n*k**4 and give n. -32 Rearrange -2020*m - 3121*m - 882*m + 499*m to x + n*m and give n. -5524 Express (2 + 11*p - 11*p + 2*p**2)*(-165 + 435 + 29) in the form t*p + y*p**2 + x and give y. 598 Express -364*s**3 + 7*s + 775*s**3 - 214*s**3 - 217*s**3 + 12 as k*s**2 + u*s + f + y*s**3 and give y. -20 Express 15786 - 57*u**2 + 2*u - 3*u - 15760 as c*u**2 + t*u + n and give c. -57 Rearrange 32*q - 12*q - 2 + 6*q**2 - 3*q - 2*q to the form i*q**2 + s + h*q and give h. 15 Rearrange 1 - 169*z + 165*z + 1 + (-3 + 5 + 1)*(-37*z + 415 - 415) + (-z - 3 + 3)*(0 + 2 + 0) - 2 - 2*z + 2 to w + r*z and give w. 2 Express -83*t**3 + 25*t - 26*t - 336*t**3 + (5*t**2 - 3*t**2 + 0*t**2)*(0*t + 0*t - 10*t) as f + k*t + d*t**3 + n*t**2 and give k. -1 Rearrange 627*s**4 + 2*s**4 + 57*s**
null
minipile
NaturalLanguage
mit
null
Chidori’s Catchphrases Stickers Part 2 Chidori’s Catchphrases Stickers Part 2LINE Stickers | Chidori is back with another round of humorous LINE stickers! Based on content from their comedic act, watch as Nobu and Daigo turn back the clock with this hilarious lineup of stickers featuring their popular catchphrases! – https://www.line-stickers.com/
null
minipile
NaturalLanguage
mit
null
Summary: This mockumentary-style satire, created by director and writer Adam Rifkin, follows disgraced reality TV producer Mickey Wagner (Adam Rifkin), as he crafts his sensational comeback – a reality show that's actually real. Fed up with how staged and phony reality shows are, Mickey's hatches a revolutionary idea to pick an average American family and put them under all-encompassing surveillance... without the family's knowledge. The concept is to let real life unfold before the cameras. However, the family is numbingly boring. And the studio wants more sizzle. So Mickey starts to introduce drama into the unwitting family's lives. Temptation to cheat, drinking, work problems... chaos ensues. Everything unravels in a big, big way with shocking consequences.
null
minipile
NaturalLanguage
mit
null
- 15*w + 21*w - 1. Is r(9) a multiple of 28? False Let f(q) = -q**2 - 9*q - 9. Suppose -7 = 2*j - j. Let y be f(j). Suppose -2*b + p = -4*b + 64, b - 10 = y*p. Does 19 divide b? False Let w(k) = k**3 - 3*k**2 - 2*k - 4. Let z be w(4). Is 15 a factor of (z/(-6))/((-18)/2403)? False Let u be -3*1*16/12. Let w be (-55)/(-33) - u/(-6). Does 6 divide 130/(-5)*w/(-2)? False Let b = 10836 - 6452. Is b a multiple of 32? True Let a = 997 - 529. Is 12 a factor of a? True Suppose 5*j - 6 = 6*j. Does 24 divide (9/j)/3*-33*6? False Does 5 divide 1737/5 - ((-24)/(-60) + -1)? False Let b(n) = -n**2 + 7*n - 5. Let h be b(5). Suppose -4*v - h*j = 84 - 282, -3*j = 4*v - 202. Is v a multiple of 17? False Let s(j) = j**3 - 7*j**2 - 7*j - 8. Let t be s(8). Let y be (2 + t)/((-8)/(-364)). Let z = y + -35. Is 28 a factor of z? True Suppose 18*m = -d + 23*m + 183, 2*m = -4. Is 10 a factor of d? False Suppose -4*m - 52 = -256. Let g = -10 + m. Is 11 a factor of g? False Does 50 divide (2962/(-10))/(((-117)/45)/13)? False Let d(p) = p + 71. Let z be d(-7). Let s = z + -40. Is s a multiple of 6? True Suppose -3*n + 0*k - 63 = 3*k, -22 = 2*n - 2*k. Let r = n + 44. Is r a multiple of 6? False Let w = 7 - 7. Suppose 0*a - a + 2 = w. Suppose 2*n + a*n + 3*h = 233, h + 253 = 4*n. Is n a multiple of 27? False Let t = 26 - 54. Does 9 divide ((-10)/3)/(t/378)? True Suppose -343 = -5*o - c, 5*c - 190 - 29 = -3*o. Is 17 a factor of o? True Let b(v) = -v**3 + 17*v**2 - 4*v - 3. Is 16 a factor of b(16)? False Suppose 3*f + l - 23 = 0, -3*f - l = 3*l - 38. Let q(j) = -10*j - 8. Let x be q(f). Let y = x + 108. Is 20 a factor of y? True Let q(o) = -11*o - 1 + 13 + o + o**2. Let m be q(10). Is 11 a factor of m/24 - (-174)/4? True Suppose 4*g - 399 = -h, 0*g + 495 = 5*g + 2*h. Does 3 divide g? False Let d(j) = -706*j + 42. Is d(-1) a multiple of 43? False Let h(x) = 22*x + 0*x**3 + 14 - x**3 - 6*x**2 + 4*x**2 + 17*x**2. Is h(16) a multiple of 22? True Does 73 divide 0 + 212 - (-140)/20? True Suppose -2186 = -13*f - 314. Is 9 a factor of f? True Suppose 0 = -3*h + 5*x + 5, -5*h + 0*x + 4*x = -4. Let f = -3 - -4. Does 14 divide f/(1/28) - h? True Let p(k) = 8*k**2 + 9*k - 119. Is p(9) a multiple of 47? False Let c = 571 + -402. Does 36 divide c? False Let w(d) = -2*d**2 - 9*d + 7. Let q be w(6). Let o = -257 - q. Let z = 258 + o. Is 32 a factor of z? False Suppose -5*n + 4*h + 57 + 40 = 0, -h = 5*n - 82. Suppose 15*i + 80 = n*i. Is i a multiple of 8? True Let h be (-4)/(-3)*(-6)/(-4). Suppose -5 - 31 = -h*y. Is y a multiple of 10? False Suppose -3*m - 4*m - 196 = 0. Let q = m - -13. Let r = 58 + q. Does 17 divide r? False Let c(o) = -99*o - 269. Does 12 divide c(-11)? False Let s = 11 - 11. Suppose -4*y = -0*y + 4*n - 688, s = -y - 4*n + 178. Suppose -3*g + 1 = -y. Is 19 a factor of g? True Let k = 4530 + -2363. Does 71 divide k? False Let v(o) = 14*o - 63. Does 74 divide v(26)? False Let r(o) = -o - 1. Let y(x) = 8*x - 3. Let v(u) = -2*r(u) + y(u). Does 4 divide v(2)? False Let j(l) = l**3 + 2*l**2 - 1. Let v be j(-1). Let w be (2 + -6 + v)*-1. Suppose w*y = -x + 11, 7*y = 3*y - 4*x - 4. Is y even? True Is 25 a factor of (-3)/(((-6)/400)/((-2)/(-8)))? True Let q(w) be the first derivative of -10*w + 8 - 9/2*w**2. Does 15 divide q(-6)? False Suppose -12 = 3*o - 90. Let s = o + -24. Is s even? True Let n(h) = 10*h + 28. Is 13 a factor of n(4)? False Let o(v) = v**2 + 18*v - 4 - 1 - 26*v + 0*v**2. Is o(-5) a multiple of 15? True Let s be 2/((-92)/(-100) - 1). Let p(h) = -61*h**3 - 2*h**2 + 1. Let l be p(-1). Let j = s + l. Is j a multiple of 17? False Suppose 1355 = 35*n - 30*n. Is n a multiple of 8? False Let w(y) = 2*y**2 - 21*y + 105. Is 19 a factor of w(30)? False Suppose 270 = 4*f - 458. Is f a multiple of 14? True Let s = 8 - -2. Suppose p - 5*t = s - 42, -t + 136 = -5*p. Is 3 a factor of 1/(-3) - 333/p? True Suppose -52*y = -56*y + 36. Let s(c) = 2*c + 12. Does 30 divide s(y)? True Suppose -3*y = 2*y - 15. Let i(o) = y*o**3 + 3*o**3 + o**3 - o**3. Does 2 divide i(1)? True Suppose 3*x = x + 8. Suppose -4*v - 92 = -k, -8 = 3*v + x. Suppose 5*u = u + k. Does 8 divide u? False Let u be (6/(-4))/(3/(-4)). Suppose 5*s = -5*t + 15, 3*t + 6 = 4*t + u*s. Suppose 3*w + 2*d - 143 = t, 3*d - 303 = -4*w - 113. Is 11 a factor of w? False Let v = 34 - 62. Let b = v - -53. Suppose -b = -c + 35. Does 15 divide c? True Let r = 401 - -812. Is r a multiple of 41? False Suppose -2*a - a - 22 = 2*w, 4*w = -2*a - 44. Is 6 a factor of w/2*(4 - 10)? False Let w = -642 + 1453. Is 37 a factor of w? False Let c be (8/(-16))/(1/(-48)). Let q(b) = -b**3 + 8*b**2. Let g be q(8). Suppose g = -z - z + c. Is z a multiple of 10? False Suppose 0*y = 5*y - 10. Let t be 1/1*10/2. Suppose y*w - 119 = 3*o - 35, t*w - 210 = -4*o. Does 26 divide w? False Suppose 3*v - 483 = -3*x, 4*x = 4*v + 3*x - 619. Does 7 divide v? False Let f(a) = -4*a + 4. Let z(g) = g - 1. Let q(m) = 2*f(m) + 9*z(m). Let i(j) = -9*j - 7. Let p(y) = i(y) + 6*q(y). Is 4 a factor of p(-6)? False Suppose 2*f - 23 = -3*v, 2*f + 4 - 12 = 0. Suppose 3*g - 77 = -v*a, 5 = -3*a - 1. Suppose g = 4*d - 3*d. Does 11 divide d? False Let z(m) = -m**3 + 20*m**2 + 8*m + 27. Is z(20) a multiple of 31? False Suppose -919 = 18*l - 9559. Is l a multiple of 4? True Suppose 0 = -5*t + 3*x + 2*x + 355, 3*x - 59 = -t. Suppose -4*j = -t - 248. Is j*(-2 + -1 - -4) a multiple of 20? False Let o(m) = -5*m**3 - 3*m**2 - m - 1. Let l be o(-2). Let a = l + -29. Suppose -i = -a*i - 86. Does 21 divide i? False Let c(p) = 17*p**2 + 5*p + 4. Let a(h) = h**2 - 1. Let i(b) = 2*a(b) + c(b). Let f be i(-2). Let l = f + 1. Does 17 divide l? False Suppose -48*o = -60*o + 8136. Is o a multiple of 53? False Let v = -1104 + 2554. Does 46 divide v? False Let q be 0/3*-1 - -3. Suppose -25 = 5*g, -4*r - g - q*g = -152. Suppose 0 = -2*u - 3*j + r - 0, -54 = -3*u - j. Is u a multiple of 5? False Let a(u) = 2*u - 3. Let k(o) = -10*o + 14. Let i(x) = -14*a(x) - 3*k(x). Let p be i(1). Suppose -p*r + 3*r - 63 = 0. Is 22 a factor of r? False Let u be (-6)/(-9)*12/(-8). Let c be 2 + (-4 - 1/u). Let f(b) = -50*b**3 - b**2 - 2*b - 1. Is f(c) a multiple of 20? False Is 25 a factor of 6 - (3 + (-201 - -4))? True Let r(o) be the second derivative of o**4/12 + 7*o**2 - 24*o. Is 10 a factor of r(6)? True Let t(q) = -q**3 - 9*q**2 - 15*q - 36. Is t(-12) a multiple of 24? True Let g(t) = t**3 + 13*t**2 + 11*t - 10. Let x = -13 + 3. Does 45 divide g(x)? True Suppose 5*r - 8 = 7*r. Is ((-34)/8 - r/16) + 151 a multiple of 21? True Is 16 a factor of 10660/18 - 3/27*2? True Let m(z) = -z. Let n(f) = 2*f**2 - f - 5. Let a(g) = 3*m(g) + n(g). Is 24 a factor of a(10)? False Let b = -23 + 12. Let y = b + 6. Is 16 a factor of (-109)/y - (-4)/20? False Let y be ((-20)/6)/(2/(-3)). Let m(f) = 2*f + 42. Let d be m(-19). Suppose -3*r - y*j = -29, -d*j + 28 = 4*r - r. Does 3 divide r? False Let q = 431 + 94. Suppose -11*j = -6*j - q. Does 21 divide j? True Does 19 divide 133/(-6*4/(-24))? True Let k be 18/3 - (-2)/(-2). Let u(t) = 4*t**3 - 2*t**2 + 2*t - 8. Let l be u(3). Suppose 0 = k*o - l - 17. Does 6 divide o? False Let s(p) = 2*p - 24. Let c be s(12). Does 43 divide (-43)/(c - (-4 - -5))? True Is 2 a factor of 44/3*(-33)/(-11)? True Is 4/(-12) - (-1 + (-916)/12) a multiple of 8? False Suppose -2*r = -8*a + 7*a + 66, 2*a + r = 127. Does 8 divide a? True Suppose 38*l = -5901 + 32311. Is 6 a factor of l? False Let r = 667 + -303. Is 43 a factor of r? False Let a be 1 - 6*(-3)/(-6). Let c be 462/8 - (-3)/(-36)*-3. Let j = c - a. Is j a multiple of 15? True Let d be 389*(6 + -1 - 4). Let c = d - 277. Does 8 divide c? True Suppose -m + 36 = 1. Is 2 + m/(4 + -3) a multiple of 37? True Let q = -91 - -88. Is -33*((-6)/(-3) + q) a multiple of 3? True Let v(p) = -3*p**3 + 6 - 8*p**2 - 5*p**2 + 2*p**3 + 24*p**2. Let j be v(11). Is 3 - (-57 + j/2) a multiple of 15? False Suppose -3*v + 10 = 2*v. Let l be (-30)/(-20) - (-3)/v. Suppose p = -l, -3*b + 3*p = -p - 225. Is b a multiple of 17? False Let t be 2/1 + 0/(-13). Suppose -29 = -t*z - 5. Let n(q) = q**2 - 12*q + 14. Is 7 a factor of n(z)? True Let l be ((-172)/16)/((-3)/(-12)). Let p = -23 - l. Does 16 divide p? False Suppose -28 = 2*x - j, -2*x - 3*j = -4*x - 32. Does 21 divide -
null
minipile
NaturalLanguage
mit
null
ABSTRACT Abnormal separation of the respiratory system from the foregut leads to the common birth defect esophageal atresia/tracheoesophageal fistula (EA/TEF) which affects 1/2,500-3000 newborns. Although the anomalycanbecorrectedwithsurgicalintervention,upto72%ofsurvivingadolescentsandadultscontinueto sufferfromrespiratoryproblemsthroughouttheirlifetime,suggestingaconnectionbetweenEA/TEFandlung abnormalities. Consistently, EA/TEF is always accompanied by abnormal lungs (e.g. lobe fusion) in animal models,althoughtheunderlyingmechanismisunknown.Werecentlyshowedthatanepithelialsaddleformed atthelung-esophagealboundarymovesupwardtosplitthelungandtracheafromtheesophagus.However, severalimportantquestionsremaintobeanswered.Howisthelunginvolvedinsaddleformationandmovement? Whatistheunderlyingcellularandmolecularmechanism?Weaimtouseacombinationoforganculture,frog, and mouse models to address these issues. Our lineage tracing data show that derivatives of respiratory progenitorcells(Nkx2.1positive)integrateintotheesophagusduringseparation.Moreover,ourpreliminarydata suggest that a unique lung epithelial progenitor subpopulation (Sox2;?Sox9;?Isl1 positive) located at the lung- esophageal boundary plays critical roles in the formation of the saddle. We further found that the loss of the transcription factor Sox2 or Isl1 in the lung progenitors, including the subpopulation, leads to EA/TEF and abnormal lungs in both frogs and mice. Interestingly, these abnormalities are accompanied by a reduction of extracellularmatrix(ECM)proteinsincludingFrasfamilymembersFras1andFrem2whichareknowntoregulate lung development. We therefore hypothesize that the Sox2/Isl1 axis regulates ECM proteins in a lung epithelialprogenitorsubpopulation(Sox2;?Sox9;?Isl1positive)thatisrequiredforrespiratory-esophageal separationandlungdevelopment.Wewilltestthehypothesiswiththreespecificaims:Aim1todeterminethe contributionofthelungepithelialprogenitorsubpopulationtothesaddleformationandrespiratory-esophageal separation;?Aim2totestthehypothesisthatSox2regulatesIsl1inthelungepithelialprogenitorsubpopulation to control respiratory-esophageal separation;? Aim3 to test the hypothesis that Isl1 regulates the separation process and lung development through ECM proteins. Notably, chromosomal deletion of the region covering ISL1 (and other genes) has been found in patients with EA/TEF. Our findings therefore will provide direct evidence and mechanistic insight into the role of Sox2/Isl1/ECM axis in the pathogenesis of this defect and associatedlungabnormalities.
null
minipile
NaturalLanguage
mit
null
The Prince of Wales has warned climate negotiators in Copenhagen that the "eyes of the world" are on them and that "our planet has reached a point of crisis", leaving only seven years before "we lose the levers of control" on the climate. The prince was addressing ministers at the formal opening of the high-level talks. "It is no understatement to say that, with your signatures, you can write our future," he told them. And in an apparent reference to disagreements between rich and poor nations he said that all countries needed to work together — climate change was not resolvable "in terms of 'them and us'", he said. The prince, who has long campaigned for the survival of rainforests, said that forest protection would be key to a successful deal. "It seems the quickest and most cost-effective way to buy time in the battle against catastrophic climate change is to find a way to make the trees worth more alive than dead," he said. But even as he spoke, plans for a revolutionary agreement to end deforestation and pay poor countries to protect their forests were hanging in the balance after leaked papers showed that a new proposed text has removed many of the scheme's safeguards. It emerged that the negotiating text leaked to NGOs late last night showed that the language meant to cut the approximately 20% of global greenhouse gases from deforestation in developing countries — the so-called Reducing Emissions from Deforestation and Degradation scheme (Redd) — has now removed all targets for ending deforestation and significantly weakened other areas. "Without targets, Redd becomes toothless," said Peg Putt of the Wilderness Society. "The so-called safeguards will be nothing but fancy window-dressing unless they are given legal force." Forests protection is crucial to an ambitious deal at Copenhagen because it will not only save up to 20% of emissions which come from deforestation, but the forests provide a massive store of carbon against which countries can offset emissions at home. In return, it was hoped that it could provide up to $40bn a year for some of the poorest countries in the world, including Congo DRC, Papua New Guinea, Indonesia and Gabon. In addition, countries which have already cut down their forests stand to benefit from money for reforestation. Nobel peace prize-winning environmentalist Wangaari Maathai, whose efforts have resulted in more than 1bn trees being planted by individuals worldwide in the last few years, urged countries to set ambitious targets. She told the Guardian: "We realise now that forests are much more important for services such as regulating the flow of water, climate medicine and food. We appeal to leaders to protect the forests." Targets for deforestation in the earlier text aimed to cut deforestation by 50% by 2020 and eliminate it by 2030. These targets have now been lost. Start-up costs for Redd are estimated to be £13.6-22.7bn from 2010-15 to support preparatory activities, although some experts challenge those figures as far too low. Forest groups reacted with clear disappointment. "It's hardly surprising that developing countries won't commit to global targets for deforestation when rich countries haven't yet provided the necessary financing for Redd or global targets for deep reductions of industrial emissions," said Nathaniel Dyer of Rainforest Foundation UK. Of equal concern to forest-protection NGOs, language ensuring critical safeguards for biodiversity, forest conversion, indigenous rights, and monitoring has moved from operational text. Protection of natural forests does appear explicitly in the text for the first time, and a safeguard on conversion of natural forests to plantations has reappeared, but neither are mandated. "Limiting safeguards to the preamble weakens the agreement and deprives it of any assurance of compliance," said Dr Rosalind Reeve of Global Witness. "Global demand for forest commodities like illegal timber and palm oil is one of the leading causes of tropical deforestation around the world," said Andrea Johnson of Environmental Investigation Agency. "If we don't address the causes of the problem, how can we find a solution?" Also missing from the negotiating text is any provision to protect and restore the world's peat soils, which account for 6% of all global C02 emissions. "Peat soils are a key part of many countries' plans to reduce their emissions, including large emitters like Indonesia," said Susanna Tol of Wetlands International. "Currently, an acre of forest is cut down every second, depriving the world of critical carbon reservoirs and creating huge emissions bursts into the atmosphere," said Stephen Leonard of the Australian Orangutan Project. "A Redd deal without global deforestation targets or safeguards makes it much more likely that the orangutan and other critical species that rely on the forest will become extinct." While text can still be changed, ministerial level actions will probably now be needed to reinsert targets and strengthen safeguard language. "Clearly, everyone agrees that the world's tropical forests need to be protected," said Bill Barclay of Rainforest Action Network. "But good intentions aren't enough, they have to be paired with action. Ministers must act to strengthen the Redd text if we have any hope of a Redd that will be effective in protecting tropical forests."
null
minipile
NaturalLanguage
mit
null
Azidoperfluoroalkanes: Synthesis and Application in Copper(I)-Catalyzed Azide-Alkyne Cycloaddition. We report an efficient and scalable synthesis of azidotrifluoromethane (CF3 N3 ) and longer perfluorocarbon-chain analogues (RF N3 ; RF =C2 F5 , n C3 F7 , n C8 F17 ), which enables the direct insertion of CF3 and perfluoroalkyl groups into triazole ring systems. The azidoperfluoroalkanes show good reactivity with terminal alkynes in copper(I)-catalyzed azide-alkyne cycloaddition (CuAAC), giving access to rare and stable N-perfluoroalkyl triazoles. Azidoperfluoroalkanes are thermally stable and the efficiency of their preparation should be attractive for discovery programs.
null
minipile
NaturalLanguage
mit
null
At the end of 2018, Alexandria Ocasio-Cortez declared that self-care wouldn’t just be a priority, but a nonnegotiable as she braced herself to become the youngest woman ever elected to the U.S. Congress. And just weeks into her term, the 29-year-old trailblazer is underlining that skin care is an integral part of her approach to the high-stakes pressures of being in office. Last night, when Ocasio-Cortez opened up her Instagram to questions, a follower—one also well-versed in the exhaustive demands of political campaigns—asked how she stays both stress- and breakout-free. After clarifying that she, despite her optimistic disposition, is as stress-stricken as anyone who’s just run a congressional campaign, Ocasio-Cortez revealed that she’s able to maintain a healthy glow by doing her due diligence when she shops for new products. “Skin care is straight-up a hobby of mine,” she explained on her Instagram Stories. “I’m a science nerd and I truly enjoy the science of it, reading about compounds and studies. It’s like that.” Another major influence for Ocasio-Cortez has been her mother, who she says used to break out a lot in her twenties and has imparted wisdom accordingly. “She taught me since I was a kid not to touch my face,” she explained. Making a point to highlight that everyone’s skin is different and ever-evolving, she divulged that she considers her personal approach a blend between K-beauty and scientific consensus, and that she likes to experiment with specialized tools and treatments, such as face masks and under-eye patches. Ocasio-Cortez’s most enthusiastic recommendation? Cleansing your skin at the end of the day—even if you have to hack it. “If you’re layering your face in makeup day after day (which is totally fine!) make sure you clean or wipe your skin early when you get home so it has time to rest,” she explains, adding that she always keeps wipes next to her bed just in case. But so long as she has the energy, Ocasio-Cortez partakes in a multistep skin-care regimen. “I do indulge [in skin care] a little since I don’t buy a lot of makeup beyond my staples,” she says. Breaking down her daily routine into three steps, she begins by double cleansing with a balm or oil to melt off makeup, before using a a more traditional face wash to lift all other impurities. Next up are the more potent elixirs, like a gentle, nourishing toner to balance her skin’s pH before she layers on supercharged serums with active ingredients such as brightening vitamin C and anti-aging retinol. Finally, she finishes things off with a moisturizer carefully tailored to her skin and, the most important step of all, sunscreen. “I’ve been using daily sunscreen since I was 19,” she explains. “I’ve been bad about it lately and can tell the difference.”
null
minipile
NaturalLanguage
mit
null
Q: Mapping list with transformation returns different value In Mathematica, I am trying to use a transformation in a more complicated expression while mapping the expression over a list. For some reason using the transformation rule results in a completely different value, but I can't tell why from the documentation. Clear[x, values] values = {{1}, {2, Null, 3}, {4, 5, Null, 6, Null }} Out[122]= {{1}, {2, Null, 3}, {4, 5, Null, 6, Null}} Length[x] /. x -> DeleteCases[#, Null] & /@ values Out[123]= {0, 0, 0} Length[DeleteCases[#, Null]] & /@ values Out[124]= {1, 2, 3} Update: So far I have been able to figure out that Length[x] is a valid expression even when x is not defined, because the argument to Length[] is an expression that returns the number of components in that expression. Now I need to understand how to delay evaluation until after x has been substituted. A: To make the replacement before the left-hand-side is evaluated you can use Unevaluated: Unevaluated[Length[x]] /. x -> DeleteCases[#, Null] & /@ values {1, 2, 3} Read Working with Unevaluated Expressions by Robby Villegas for a detailed understanding of this head. Dedicated StackExchange site:
null
minipile
NaturalLanguage
mit
null
Immigration fears and policy uncertainty Scott Baker, Nicholas Bloom, Steven Davis The recent influx of refugees to Europe has stoked security fears and created anxiety about the social and economic consequences. This column provides new quantitative indicators for the intensity of migration-related fears and policy uncertainty, based on newspaper articles. The indices are presented for the US, UK, France, and Germany, and extend back to 1995. They show that recent levels of concern and uncertainty in European countries about migration are unprecedented. Europe’s recent waves of refugees from the Middle East and North Africa present difficult security challenges. They also create anxiety about the political, social and economic consequences of large population inflows (Halla et al. 2015). The Paris attacks on 13 November intensify security concerns and are likely to impede assimilation efforts (Gould and Klor 2014). Fears about terrorism and crime add to traditional economic worries about the effects of large immigration flows on labour markets, housing markets, schooling, social services, and government spending (Borjas 2003, Card 2005, Beerli and Perri 2015, and Boeri et al 2015). Major immigration policies, including the open border concept in the 26-country Schengen zone, are now in question (Pop 2015). In light of these developments, we provide new quantitative indicators for the intensity of migration-related fears in France, Germany, the UK and the US. We inspect their time-series behaviour and compare them to indicators of migration-related policy uncertainty. These new indicators build on our recent efforts to measure economic policy uncertainty in countries around the world (Baker et al. 2015). We define the following term sets:1 Migration (M) – ‘border control’, Schengen, ‘open borders’, migrant, migration, asylum, refugee, immigrant, immigration, assimilation, ‘human trafficking’; Fear (F) – anxiety, panic, bomb, fear, crime, terror, worry, concern, violent; Economy (E) – economic, economy; Policy (P) – regulation, deficit, ‘white house’, legislation, congress, ‘federal reserve’; Uncertainty (U) – uncertainty, uncertain. To construct our Migration Fear Index, we count the number of newspaper articles with at least one term from each of the M and F term sets, and then divide by the total count of newspaper articles (in the same calendar quarter and country). We construct our Migration Policy Uncertainty Index in the same way, except we instead count articles with at least one term from each of M, E, P and U term sets.2 We normalise each index to a mean value of 100 from 1995 to 2011. The counts reported here were obtained on 30 November 2015, but it can take several days or more to populate the underlying newspaper archives. So we may not capture the full effects of the Paris attacks in our November 2015 counts. Figures 1 to 4 display the Migration Fear and Migration Policy Uncertainty Indices for France, Germany, the UK and the US, respectively.3 Several observations about these figures warrant attention: European countries show unprecedented levels of migration-related worries in recent months. The Migration Fear Index for October-November 2015 is roughly three-to-four times higher than the baseline in France and the UK, and more than ten times higher in Germany. The US shows a much more modest elevation of migration-related fears in late 2015, despite much attention to immigration and border control issues among US presidential candidates. Since 2005, migration-related fears have trended upward strongly in the UK (alongside rising levels of actual migration). Migration related fears have also risen in France, while migration-related fears in Germany do not show persistent upward movements until 2014. The data for each country strongly suggest that migration-related fears can spill over into migration-related policy uncertainty. The US shows roughly coincident spikes in each series in 1999, 2001, 2006, and 2010, while all three European countries show highly elevated migration-related policy uncertainty and fears in 2015. The recent European experience with respect to migration concerns and policy uncertainty illustrates a broader pattern that we see in our measures of overall economic policy uncertainty for a dozen countries (Baker et al 2015). In particular, large unforeseen shocks can present policymakers with extraordinary challenges. Questions about how policymakers will respond and what the consequences will be then become an important source of economic uncertainty. For example, the Global Crisis confronted central banks and financial regulators with difficult policy decisions in an exceptionally volatile environment. Not surprisingly, our earlier work finds high levels of policy-related economic uncertainty in the US and many other countries in late 2008 and early 2009. Similarly, our measurement work suggests that difficult challenges in responding to the Greek debt crises have been a major source of policy-related economic uncertainty in the Eurozone. As these examples suggest, the institutional setting and policymaking environment can influence the extent to which negative shocks and developments lead to bad outcomes and difficult policy challenges. This theme emerges clearly in the ‘consensus narrative’ of the Eurozone crisis described by Baldwin et al. (2015). As they remark, “there was nothing in EZ institutional infrastructure to deal with a crisis on this scale.” Likewise, the Schengen zone’s institutional infrastructure seems poorly equipped to respond to the recent massive immigration inflows in Europe. The weak institutional infrastructure contributes to the high levels of migration-related fears and policy uncertainty in Figures 1-3. Our earlier work and work by others (e.g. Julio and Yook 2012, Handley and Limao 2012, Gulen and Ion 2015, Kelly et al. 2015) finds evidence that high levels of policy uncertainty raise stock-price volatility and reduce investment rates and employment growth. This evidence underscores the need for sound institutional design to mitigate policy-related economic uncertainty – whether in the face of large migration flows, financial crises, or other shocks. Figure 1. Migration fear and policy uncertainty indices, France, 1995-2015 Notes: The Migration Policy Uncertainty Index reflects scaled quarterly counts of articles in Le Monde that satisfy the M, E, P and U criteria specified in the text. Similarly, the Migration Fear Index reflects scaled quarterly counts that satisfy the M and F criteria. We obtain article counts on 30 November 2015 and normalize each index to 100 from 1995 to 2011. Figure 2. Migration fear and policy uncertainty indices, Germany, 1995-2015 Notes: The Migration Policy Uncertainty Index reflects scaled quarterly counts of articles in Frankfurter Allgemeine Zeitung and Handelsblatt that satisfy the M, E, P and U criteria. Similarly, the Migration Fear Index reflects scaled quarterly counts that satisfy the M and F criteria. We obtain article counts on 30 November 2015 and normalize each index to 100 from 1995 to 2011. Figure 3. Migration fear and policy uncertainty indices, United Kingdom, 1995-2015 Notes: The Migration Policy Uncertainty Index reflects scaled quarterly counts of articles in the Financial Times and the Times of London that satisfy the M, E, P and U criteria. Similarly, the Migration Fear Index reflects scaled quarterly counts that satisfy the M and F criteria. We obtain article counts on 30 November 2015 and normalize each index to 100 from 1995 to 2011. Figure 4. Migration fear and policy uncertainty indices, United States, 1995-2015 Notes: The Migration Policy Uncertainty Index reflects scaled quarterly counts of articles in US newspapers indexed by the Access World News Newsbank database that satisfy the M, E, P and U criteria specified in the text. Similarly, the Migration Fear Index reflects scaled quarterly counts that satisfy the M and F criteria. We obtain article counts on 30 November 2015 and normalize each index to 100 from 1995 to 2011. References Baker, S R, N Bloom and S J Davis (2015) “Measuring economic policy uncertainty”, NBER Working Paper No. 21633. Baldwin, R, T Beck, A Bénassy-Quéré, O Blanchard, G Corsetti, P de Grauwe, W den Haan, F Giavazzi, D Gros, S Kalemli-Ozcan, S Micossi, E Papaioannou, P Pesenti, C Pissarides, G Tabellini and B Weder di Mauro (2015) “Rebooting the Eurozone: Step 1 – agreeing a crisis narrative”, VoxEU.org, 20 November. Boeri, T, M De Phillippis, E Patacchini and M Pellizzari (2015) “Immigrants, residential concentration and employment in eight Italian cities”, VoxEU.org, 24 November. Borjas, G (2003) “The labor demand curve IS downward sloping”, Quarterly Journal of Economics, 118(4): 1335-1374. Card, D (2005) “Is the new immigration really so bad?” The Economic Journal, 115: F300-F323. Gould, E D and E F Klor (2014) “The long-run effect of 9/11: Terrorism, backlash and the assimilation of muslim immigrants in the West”, The Economic Journal, forthcoming. Gulen, H and M Ion (2015) “Policy uncertainty and corporate investment”, working paper, Purdue University. Halla, M, A Wagner and J Zweimüller (2015) “Immigration and far-right voting: New evidence”, VoxEU.org, 29 November. Handley, K and N Limao (2012) “Trade and investment under policy uncertainty: Theory and firm evidence”, American Economic Journal: Policy, forthcoming. Julio, B and Y Yook (2012) “Political uncertainty and corporate investment cycles”, Journal of Finance, 67(1): 45-83. Kelly, B, L Pastor and P Veronesi (2015) “The price of political uncertainty: Theory and evidence from the option market”, Journal of Finance, forthcoming. Pop, V (2015) “EU set to pressure Greece on border controls”, Wall Street Journal, 3 December.
null
minipile
NaturalLanguage
mit
null
Q: change font size in php trying to change only font size for the 'email' be called in this code. Trying to inject ‘font-size: 15px;’. Trying to do it here so that only the email being called will be a different font size than the default paragraph text. <p><i class="fa fa-envelope-o"></i><?php echo sh_set($meta1, 'email');?> </p> A: Add span tag and insert style for span: <p><i class="fa fa-envelope-o"></i><span style='font-size:15px'><?php echo sh_set($meta1, 'email');?></span></p>
null
minipile
NaturalLanguage
mit
null
Q: Scrolling through list items one by one I have an announcements list and instead of displaying all announcements at the same time, there may be quite a few, I want to scroll through them one by one. Outside of SharePoint there are quite a few methods I would use to achieve this. I would use jQuery if possible. I have used jQuery on the site, but I would like to use a carousel and for this the announcement list cannot be in a table. So, I need one of 3 things. a) Be able to output the data, possibly to a Content Editor Web Part, via XSL? This will remove the table structure and replace it with an unordered list. I am not that hot on XSL and would need a push in the right direction as to how to achieve this. b) Find a jQuery solution that can work with the table structure of the announcements list. c) Some other solution I haven't thought of. Any ideas guys? EDIT: I have tried to go down the XSL route with a Data Form Web Part. I used another DFWP for a template and changed what I think I needed to change. Does this look anyway close to what I need? (Note I am getting the following error:) Unable to display this Web Part. To troubleshoot the problem, open this Web page in a Windows SharePoint Services-compatible HTML editor such as Microsoft Office SharePoint Designer. If the problem persists, contact your Web server administrator. Code <WebPartPages:DataFormWebPart runat="server" SuppressWebPartChrome="False" Description="" PartImageSmall="" DataSourceID="" MissingAssembly="Cannot import this Web Part." FrameType="TitleBarOnly" ConnectionID="00000000-0000-0000-0000-000000000000" DetailLink="" ExportControlledProperties="True" IsVisible="True" AllowRemove="True" AllowEdit="True" ID="g_999db424_8180_48da_a7c7_7457a07205f9" Dir="Default" FrameState="Normal" ViewContentTypeId="" AllowConnect="True" PageSize="-1" AllowMinimize="True" IsIncludedFilter="" ShowWithSampleData="False" ChromeType="TitleOnly" HelpMode="Modeless" ExportMode="All" ViewFlag="0" Title="Courses I am attending" HelpLink="" AllowHide="True" AllowZoneChange="True" PartOrder="1" UseSQLDataSourcePaging="True" PartImageLarge="" IsIncluded="True" NoDefaultStyle="TRUE" __MarkupType="vsattributemarkup" __WebPartId="{999DB424-8180-48DA-A7C7-7457A07205F9}" __AllowXSLTEditing="true" WebPart="true" Height="" Width=""><DataSources> <SharePoint:AggregateDataSource runat="server" IsSynchronous="" SeparateRoot="true" RootName="" RowsName="" ID="Announcements"><Sources><SharePoint:SPDataSource runat="server" DataSourceMode="List" SelectCommand="&lt;View&gt;&lt;/View&gt;" UpdateCommand="" InsertCommand="" DeleteCommand="" UseInternalName="True"><SelectParameters> <asp:Parameter DefaultValue="{A6930BA9-B6E2-4D1D-A3FE-5379CE9F01E5}" Name="ListID"></asp:Parameter> </SelectParameters> <UpdateParameters> <asp:Parameter DefaultValue="{A6930BA9-B6E2-4D1D-A3FE-5379CE9F01E5}" Name="ListID"></asp:Parameter> </UpdateParameters> <InsertParameters> <asp:Parameter DefaultValue="{A6930BA9-B6E2-4D1D-A3FE-5379CE9F01E5}" Name="ListID"></asp:Parameter> </InsertParameters> <DeleteParameters> <asp:Parameter DefaultValue="{A6930BA9-B6E2-4D1D-A3FE-5379CE9F01E5}" Name="ListID"></asp:Parameter> </DeleteParameters> </SharePoint:SPDataSource><SharePoint:SPDataSource runat="server" DataSourceMode="List" SelectCommand="&lt;View&gt;&lt;/View&gt;" UpdateCommand="" InsertCommand="" DeleteCommand="" UseInternalName="True"><SelectParameters> <asp:Parameter DefaultValue="{DEEE6EF9-4CCF-408B-A90F-89AD21FB0FD1}" Name="ListID"></asp:Parameter> </SelectParameters> <UpdateParameters> <asp:Parameter DefaultValue="{DEEE6EF9-4CCF-408B-A90F-89AD21FB0FD1}" Name="ListID"></asp:Parameter> </UpdateParameters> <InsertParameters> <asp:Parameter DefaultValue="{DEEE6EF9-4CCF-408B-A90F-89AD21FB0FD1}" Name="ListID"></asp:Parameter> </InsertParameters> <DeleteParameters> <asp:Parameter DefaultValue="{DEEE6EF9-4CCF-408B-A90F-89AD21FB0FD1}" Name="ListID"></asp:Parameter> </DeleteParameters> </SharePoint:SPDataSource> </Sources><Aggregate><concat name="data source"><datasource name="Announcements" id="0" Type="SPList"/></concat></Aggregate> </SharePoint:AggregateDataSource> </DataSources> <ParameterBindings> <ParameterBinding Name="dvt_apos" Location="Postback;Connection"/> <ParameterBinding Name="UserID" Location="CAMLVariable" DefaultValue="CurrentUserName"/> <ParameterBinding Name="Today" Location="CAMLVariable" DefaultValue="CurrentDate"/> <ParameterBinding Name="dvt_adhocmode" Location="Postback;Connection"/> <ParameterBinding Name="dvt_fieldsort" Location="Postback;Connection"/> <ParameterBinding Name="dvt_filterfield" Location="Postback;Connection"/> <ParameterBinding Name="dvt_sortdir" Location="Postback;Connection"/> <ParameterBinding Name="dvt_sortfield" Location="Postback;Connection"/> <ParameterBinding Name="dvt_sorttype" Location="Postback;Connection"/> <ParameterBinding Name="dvt_filterfields" Location="Postback;Connection"/> <ParameterBinding Name="dvt_partguid" Location="Postback;Connection"/> </ParameterBindings> <DataFields> </DataFields> <Xsl> <xsl:stylesheet xmlns:xs="http://www.w3.org/2001/XMLSchema" xmlns:x="http://www.w3.org/2001/XMLSchema" xmlns:d="http://schemas.microsoft.com/sharepoint/dsp" version="1.0" exclude-result-prefixes="xsl msxsl ddwrt" xmlns:ddwrt="http://schemas.microsoft.com/WebParts/v2/DataView/runtime" xmlns:asp="http://schemas.microsoft.com/ASPNET/20" xmlns:__designer="http://schemas.microsoft.com/WebParts/v2/DataView/designer" xmlns:xsl="http://www.w3.org/1999/XSL/Transform" xmlns:msxsl="urn:schemas-microsoft-com:xslt" xmlns:SharePoint="Microsoft.SharePoint.WebControls" xmlns:ddwrt2="urn:frontpage:internal"> <xsl:output method="html" indent="no"/> <xsl:param name="dvt_adhocmode">sort</xsl:param> <xsl:decimal-format NaN=""/> <xsl:param name="dvt_apos">'</xsl:param> <xsl:param name="UserID" /> <xsl:param name="dvt_fieldsort" /> <xsl:param name="dvt_filterfield" /> <xsl:param name="dvt_sortdir">ascending</xsl:param> <xsl:param name="dvt_sortfield" /> <xsl:param name="dvt_sorttype">text</xsl:param> <xsl:param name="dvt_filterfields" /> <xsl:param name="dvt_partguid" /> <xsl:variable name="dvt_1_automode">0</xsl:variable> <xsl:template match="/" xmlns:xs="http://www.w3.org/2001/XMLSchema" xmlns:x="http://www.w3.org/2001/XMLSchema" xmlns:d="http://schemas.microsoft.com/sharepoint/dsp" xmlns:asp="http://schemas.microsoft.com/ASPNET/20" xmlns:__designer="http://schemas.microsoft.com/WebParts/v2/DataView/designer" xmlns:SharePoint="Microsoft.SharePoint.WebControls"> <xsl:call-template name="dvt_1"/> </xsl:template> <xsl:template name="dvt_1"> <xsl:variable name="dvt_StyleName">Table</xsl:variable> <xsl:variable name="Rows" select="/dsQueryResponse/Rows/Row" /> <xsl:variable name="dvt_RowCount" select="count($Rows)" /> <xsl:variable name="dvt_IsEmpty" select="$dvt_RowCount = 0" /> <xsl:choose> <xsl:when test="$dvt_IsEmpty"> <xsl:call-template name="dvt_1.empty" /> </xsl:when> <xsl:otherwise><ul id="announcementList" border="0" width="100%" cellpadding="2" cellspacing="0"> <li> <xsl:call-template name="dvt.headerfield" ddwrt:atomic="1" xmlns:ddwrt="http://schemas.microsoft.com/WebParts/v2/DataView/runtime"> <xsl:with-param name="fieldname">@Title</xsl:with-param> <xsl:with-param name="fieldtitle">Title</xsl:with-param> <xsl:with-param name="displayname">Title</xsl:with-param> <xsl:with-param name="sortable">1</xsl:with-param> <xsl:with-param name="fieldtype">x:string</xsl:with-param> </xsl:call-template> </li> <li> <xsl:call-template name="dvt.headerfield" ddwrt:atomic="1" xmlns:ddwrt="http://schemas.microsoft.com/WebParts/v2/DataView/runtime"> <xsl:with-param name="fieldname">@Created</xsl:with-param> <xsl:with-param name="fieldtitle">Created By</xsl:with-param> <xsl:with-param name="displayname">Created By</xsl:with-param> <xsl:with-param name="sortable">1</xsl:with-param> <xsl:with-param name="fieldtype">x:string</xsl:with-param> </xsl:call-template> </li> <li> <xsl:call-template name="dvt.headerfield" ddwrt:atomic="1" xmlns:ddwrt="http://schemas.microsoft.com/WebParts/v2/DataView/runtime"> <xsl:with-param name="fieldname">@Body</xsl:with-param> <xsl:with-param name="fieldtitle">Body</xsl:with-param> <xsl:with-param name="displayname">Body</xsl:with-param> <xsl:with-param name="sortable">1</xsl:with-param> <xsl:with-param name="fieldtype">x:string</xsl:with-param> </xsl:call-template> </li> </tr> <xsl:call-template name="dvt_1.body"> <xsl:with-param name="Rows" select="$Rows"/> </xsl:call-template> </ul></xsl:otherwise> </xsl:choose> </xsl:template> </xsl:stylesheet> </Xsl> </WebPartPages:DataFormWebPart> A: I suggest you check out SPServices. It's a "jQuery library which abstracts SharePoint's Web Services and makes them easier to use." http://spservices.codeplex.com/ A: Ok I resorted to a jQuery solution as I can get my head around it easier than anything SharePoint throws at me! As all lists have the class ms-summarycustombody I was able to get the following to convert the table to ul var div = $("<div id='viewport' class='viewport'></div>"); var list = $("<ul id='announcementList'></ul>"); var listitem = null; var p = null; $('.ms-summarycustombody').each(function(i) { $(this).find("tr").each(function(i) { if (i % 3 == 0) { listitem = $("<li/>"); list.append(listitem); } p = $("<p/>"); $(this).find("td").each(function(i) { p.append("<span>" + $(this).html() + "</span>"); }); listitem.append(p); }); div.append(list); $(this).replaceWith(div); }); Then using jCarouselLite I was able to scroll through the items. $('.viewport').jCarouselLite({ auto:5000, speed:1000 });
null
minipile
NaturalLanguage
mit
null
You are here From the mag: Bottom bracket designs evolve to quiet the creak APTOS, CA (BRAIN) — There may be a sliver of light at the end of the tunnel for retailers frustrated with creaky, plastic-y, non-serviceable OEM bottom brackets in $8,000 bikes. A new generation of aftermarket designs goes directly after creak and serviceability issues. Cartridge designs from Praxis Works and Real World Cycling are made of aluminum and thread together inside press-fit shells. Most of this first wave of designs target adapting Shimano cranks into BB30-sized frame shells—so-called converter or conversion bottom brackets—since this style is in high demand. But expect the same tricks to trickle down to other sizes and bottom bracket applications. “Using separate left and right cups means they can articulate independently; they can creak and walk right out of the frame,” said Adam Haverstock, Praxis Works’ director of marketing and sales. “By going to a cartridge-style design, our bearings index off each other and are not as impacted by damaged or out-of-tolerance shells,” he said. The $85 Praxis Conversion BB is designed to adapt Shimano cranks to BB30 or with a shim to PF30 frames. It offers a similarly designed version for Specialized OSBB bottom bracket shells. The non-drive part of Praxis’ aluminum cartridge is press fit into any BB30 frame with a headset press. The drive side of the cartridge is threaded into the non-drive side using standard Shimano external bottom bracket tools. As the drive side cup is threaded in, it expands a collet pressing against the drive-side bearing seat in the shell. This “locks” the cartridge to the shell, which should eliminate creak and keep the cups from moving within the shell. The cartridge has a slight hourglass shape to provide clearance within the shell to eliminate any potential for noise there. Praxis includes a Delrin shim with its BB30 cartridge for use with the larger PF30. Similar to installation into a BB30 shell, the non-drive side of the cartridge and shim are pressed into the shell, and the drive side is threaded in. As the collet expands it presses the Delrin into the shell. Real World Cycling (RWC) converters are based on KCNC aluminum cartridges and use Enduro bearings. They range in price from $55 to $130 depending on bearing choice—standard, angular contact or ceramic. The cartridges adapt Shimano cranks, as well as most GXP cranks, to BB30 frames. RWC offers a different cartridge to adapt Shimano cranks to the larger PF30 shell. In addition to the cartridge approach, these RWC bottom brackets minimize metal-on-metal contact, and out-of-spec shells, by using O-rings to isolate the cartridge from the bottom bracket shell. “You cannot face or ream a carbon frame, so you have to be able to deal with things being slightly out of spec. There is just enough give in the O-rings that you should be able to push the cups in with your hand or lightly with a press,” said Chris Streeter, Real World Cycling’s owner. “In metal shells, minimizing metal-on-metal contact with the O-rings should help eliminate creak as well,” he added. Once the cups are pushed in, they are threaded together with standard Shimano bottom bracket tools until the cups meet in the center and contact is made between the flanges and the shell. Wheels Manufacturing recently released an aluminum cup PF30 bottom bracket that is not an adapter design—it works with BB30 cranks. It’s available with traditional bearings for $49, and angular contact bearing and ceramic bearing options are priced accordingly. Like the RWC cartridges, it uses O-rings to minimize metal-on-metal contact. But its two bearing cups press together like OEM systems; they are not threaded together like in the cartridge designs. Since the cups are alloy the bearings can be replaced. In addition to stopping creak and bearing creep, shops also have to be able to fit single or double cranks to mountain bikes or triples to road bikes with non-threaded shells. “It’s not only getting Shimano cranks into BB30 frames; shops are dealing with single, double and triple road and mountain bike systems. This kit not only provides the right adapters for cranks, it also offers wave-washers so shops can adjust chainline,” said Dan DePaemelaere, Wheels Manufacturing sales manager.
null
minipile
NaturalLanguage
mit
null
Q: How to get json encoded data using php echo $someJSON=json_encode($resultData); output is{"status":true,"postData":[{"post_id":"3","post_title":"JAVA","post_desc":"JAVA DESCRIPTION","status":"1"},{"post_id":"1","post_title":"PHP API","post_desc":"MAKING PHP API","status":"1"}]} From the output, how to get value of 'post_title' using PHP? A: You have to decode it first using json_decode $someJson = json_decode('{"status":true,"postData":[{"post_id":"3","post_title":"JAVA","post_desc":"JAVA DESCRIPTION","status":"1"},{"post_id":"1","post_title":"PHP API","post_desc":"MAKING PHP API","status":"1"}]}'); foreach ($someJson->postData as $data){ echo $data->post_title; }
null
minipile
NaturalLanguage
mit
null
Awareness. Definition Medical Definition: awareness Situation where the recurrent contribution of a specific antigen leads to the creation of specific antibodies or cellular immune response capable of producing clinical manifestations re-exposure to the antigen. Sensitization induces hypersensitive state, leading to a pathological immune response, which induce inflammatory or necrotic changes in the unit appropriate tissue tissue. As a result, enter here into consideration the responses of humoral and cellular pathology. This awareness is arrived by active, passive or prenatal.
null
minipile
NaturalLanguage
mit
null
Blair’s inclusion from next year onwards, however, would significantly strengthen the Tigers’ pack. It is understood Wests Tigers have offered the New Zealand dynamo a three-year package worth around $1.5 million, including third-party deals – a figure Parramatta officials concede they cannot match. Blair has only been on modest money in Melbourne and the Storm cannot match the Tigers’ offer. Parramatta have also pursued Blair thanks to new coach Stephen Kearney but the Eels have now privately admitted they cannot match the Tigers.
null
minipile
NaturalLanguage
mit
null
Browsing Posts published on December 10, 2012 In 1928, the last known wild wolf was shot dead in Arkansas. Fifteen years later, the last wolves in Colorado, Arizona, and Wyoming were killed. The last wolves in Michigan and Wisconsin were eradicated 20-odd years later, with a population surviving only in the remotest reaches of northern Minnesota, hard by the Canadian border. Apart from a few outliers, that population was the last in the lower 48 states. Gray wolves at the edge of a snowy forest--Photos.com/Jupiterimages Most of that killing was brought about by two kinds of agents: private hunters operating on bounty, and federal employees of a little-known branch of the US Department of Agriculture that now bears the Orwellian name Wildlife Services. Born in 1915 as the Branch of Predator and Rodent Control, Wildlife Services has one overarching goal: to eradicate animals that are perceived to be damaging to agriculture. Animals that are harmful to the environment, such as zebra mussels, have lately fallen into the agency’s purview as well, but agriculture remains its primary focus, and in that regard it operates with ruthless efficiency, even if it is a battle that may never end. According to the Sacramento Bee, which published an extensive series on Wildlife Services last April, inhumane neck-snare traps placed by the agency alone accounted for the deaths of 94,408 coyotes between 2006 and 2011. continue reading… "Service Animal" Scammers (New Yorker): An increasing number of your neighbors have been keeping company with their pets in human-only establishments simply by claiming that the creatures are their licensed companion animals and are necessary to their mental well-being.
null
minipile
NaturalLanguage
mit
null
Lectionary 90 Lectionary 90, designated by siglum ℓ 90 (in the Gregory-Aland numbering), is a Greek manuscript of the New Testament, on paper leaves. It is dated by a colophon to the year 1553. Description The codex contains lessons from the Gospels of John, Matthew, Luke lectionary (Evangelistarium) with some lacunae. It is written in Greek minuscule letters, on 208 paper leaves (). The writing is in 2 columns per page, 25 lines per page. It contains the Pericope Adulterae (John 8:3-11). It contains musical notes. History The manuscript was written by Stephen, a scribe. The manuscript once belonged to Colbert's (as were ℓ 87, ℓ 88, ℓ 89, ℓ 91, ℓ 99, ℓ 100, ℓ 101). Scholz examined some parts of it. It was examined and described by Paulin Martin. C. R. Gregory saw it in 1885. The manuscript is not cited in the critical editions of the Greek New Testament (UBS3). Currently the codex is located in the Bibliothèque nationale de France (Gr. 317) in Paris. See also List of New Testament lectionaries Biblical manuscript Textual criticism References Bibliography Jean-Pierre-Paul Martin, Description technique des manuscrits grecs, relatif au N. T., conservé dans les bibliothèques des Paris (Paris 1883), p. 159 Category:Greek New Testament lectionaries Category:16th-century biblical manuscripts Category:Bibliothèque nationale de France collections
null
minipile
NaturalLanguage
mit
null
Via Alex Jones’ InfoWars from BobMcCarty.com, here’s a video shot by a white lady bystander as St. Louis EMTs load Zemir Begic’s corpse into an ambulance after he was murdered early Sunday morning by a wilding mob of black and Hispanic youths swinging hammers. The camerawoman narrates (Language NSFW): “And, of course, it’s a white kid, right after black people running up and down the street yelling, ‘Eff the white people, kill the white people.’ This is what we have.”
null
minipile
NaturalLanguage
mit
null
****[^1] [ [ Zhenliang Lu,  Shixin Zhu ]{} ]{} *Department of Mathematics, Hefei University of Technology, Hefei 230009, Anhui, P.R.China* **Abstract:** In this paper, we study $\mathbb{Z}_p\mathbb{Z}_p[u]$-additive codes, where $\emph{p}$ is prime and $u^{2}=0$. In particular, we determine a Gray map from $ \mathbb{Z}_p\mathbb{Z}_p[u]$ to $\mathbb{Z}_p^{ \alpha+2 \beta}$ and study generator and parity check matrices for these codes. We prove that a Gray map $\Phi$ is a distance preserving map from ($\mathbb{Z}_p\mathbb{Z}_p[u]$,Gray distance) to ($\mathbb{Z}_p^{\alpha+2\beta}$,Hamming distance), it is a weight preserving map as well. Furthermore we study the structure of $\mathbb{Z}_p\mathbb{Z}_p[u]$-additive cyclic codes.\ ***Keywords***:additive codes; $\mathbb{Z}_p\mathbb{Z}_p[u]$-additive codes; $\mathbb{Z}_p\mathbb{Z}_p[u]$-additive cyclic codes; Gray map. Additive codes with the remarkable paper by Delsarte in 1973\[1\], he defines additive codes as subgroups of the underlying abelian group in a translation association scheme. In 2006, Borges J. et al. define an extension of the usual Gray map, the new Gray map is an isometry which transforms Lee distance in $Z_{2}^{\alpha}\times Z_{4}^{\beta}$ to Hamming distance in $Z_{2}^{\alpha+2\beta}$\[6\]. Then, many properties of additive codes are studied. Two kinds of maximum distance separable codes over $Z_{2}Z_{4}$ are studied\[7\], all MDS $Z_{2}Z_{4}$-additive codes are zero or one error-correcting codes with the exception of the trivial repetition codes containing two codewords. Cyclic additive codes are also studied\[8\]\[15\]. Recently, $Z_{2}Z_{4}$-additive codes were generalized to $Z_{2}Z_{2^{s}}$-additive codes by Aydogdu and Siap\[9\]. And next $Z_{p^{r}}Z_{p^{s}}$-additive codes are studied by Aydogdu and Siap\[4\]. In \[4\], the paper given the standard generator matrices and dual matrices of the form over $Z_{p^{r}}Z_{p^{s}}$-additive codes. Later, in \[3\], a generalization towards another direction that have a good algebraic structure and provide good binary codes is presented, a new class of additive codes which is referred to as $Z_{2}Z_{2}[u]$-additive codes is introduced. About the application of additive codes to steganography is proposed\[10\] and lt’s also helped to study quantum code. Now, quantum additive code is a new research direction. Many articles and research has been done on quantum additive codes. In this paper, we extend the $Z_{2}Z_{2}[u]$-additive codes to codes over $\mathbb{Z}_p\mathbb{Z}_p[u]$,where $\emph{p}$ is prime and $u^{2}=0$. Corresponding, we given a more simplify standard generator matrices and dual matrices of the form. At the same time, we define a Gray map $\Phi$. We prove that a Gray map $\Phi$ is a distance preserving map from ($\mathbb{Z}_p\mathbb{Z}_p[u]$,Gray distance) to ($\mathbb{Z}_p^{\alpha+2\beta}$,Hamming distance), it is a weight preserving map as well. At the end of the paper, we study the structure of $\mathbb{Z}_p\mathbb{Z}_p[u]$-additive cyclic codes.\ Let ****$\mathbb{Z}_{p}$ be a finite filed with $p$ elements, where $p$ is an odd prime. Let $R$ be the commutative ring $\mathbb{Z}_p+u\mathbb{Z}_p=\{a+ub\mid a,b\in \mathbb{Z}_p\}$ where $u^2=0$. A linear code $C$ over R containing some nonzero codewords is permutation equivalent to a code with a generator matrix of the form $$G= \begin {pmatrix} I_{k_0} & A & B\\0 & uI_{k_{1}} & uD\end{pmatrix},$$ where $A,D$ are $p$-ary matrices, $B$ is $\mathbb{Z}_p+u\mathbb{Z}_p$-matrices, $I_{k_0}$and $I_{k_{1}}$denote the $k_{0}\times k_{0}$ and $k_{1}\times k_{1}$ identity matrices, and $C$ contains $p^{2k_{0}+k_{1}}$ codewords\[2\]. We define a Gray map $\psi$ from $R$ to ${Z}_{p}^{2}$ in the following way. $$\begin{aligned} \psi:R&\rightarrow {Z}_{p}^{2}\\ (a+ub)&\rightarrow(b,a+b).\end{aligned}$$ The set $\mathbb{Z}_p\mathbb{Z}_p[u]$ is defined by $$\mathbb{Z}_p\mathbb{Z}_p[u]=\{(a,b)|a\in\mathbb{Z}_p \ and \ b\in R\}$$ The set not well defined with respect to the usual multiplication, therefore, to make it well defined and get some good results, we introduce a new scalar multiplication in the following way:\ (1)$\forall$ $c_{1}=({a_{0},a_{1},\cdots,a_{\alpha-1},b_{0},b_{1},\cdots,b_{\beta-1}})$, $c_{2}=({a^{'}_{0},a^{'}_{1},\cdots,a^{'}_{\alpha-1},b^{'}_{0},b^{'}_{1},\cdots,b^{'}_{\beta-1}})\in\mathbb{Z}_p\mathbb{Z}_p[u]$ $$c_{1}c_{2}=({{a_{0}a^{'}_{0},a_{1}a^{'}_{1},\cdots,a_{\alpha-1}a^{'}_{\alpha-1}, b_{0}b^{'}_{0},b_{1}b^{'}_{1},\cdots,b_{\beta-1}b^{'}_{\beta-1}}})$$ (2)$\forall$ $c_{1}=({a_{0},a_{1},\cdots,a_{\alpha-1},b_{0},b_{1},\cdots,b_{\beta-1}})\in\mathbb{Z}_p\mathbb{Z}_p[u]$, $c=r+qu\in R.$ $$cc_{1}=({ra_{0},ra_{1},\cdots,ra_{\alpha-1},cb_{0},cb_{1},\cdots,cb_{\beta-1}})$$ (3)$\forall$ $c_{1}=({a_{0},a_{1},\cdots,a_{\alpha-1},b_{0},b_{1},\cdots,b_{\beta-1}})\in\mathbb{Z}_p\mathbb{Z}_p[u]$, $c\in \mathbb{Z}_p.$ $$cc_{1}=({ca_{0},ca_{1},\cdots,ca_{\alpha-1},cb_{0},cb_{1},\cdots,cb_{\beta-1}})$$ In this section, we introduced the definition of the additive codes and the additive dual codes, determine the structure of the generator matrix and dual generator matrix in the standard form of the code.\ **Definition 3.1.**A linear code C is called a $\mathbb{Z}_p\mathbb{Z}_p[u]$ additive code if it is a $\mathbb{Z}_p+\mathbb{Z}_p[u]$ submodule of $\mathbb{Z}_p^{\alpha}\times\mathbb{Z}_p[u]^{\beta}$ with respect to the scalar multiplication defined in (1),(2),(3). Then the $p$-ary image $\Phi(C)=\textbf{C}$ is called $\mathbb{Z}_p\mathbb{Z}_p[u]$ linear code of length $n=\alpha+2\beta$ where $\Phi$ is a map from $\mathbb{Z}_p^{\alpha}\times\mathbb{Z}_p[u]^{\beta}$ to $\mathbb{Z}_p^{n}$ defined as\ $$\Phi(a,b)=({a_{0},a_{1},\cdots,a_{\alpha-1},\psi(b_{0}),\psi(b_{1}),\cdots,\psi(b_{\beta-1})})$$ for all $ a=({a_{0},a_{1},\cdots,a_{\alpha-1}})\in \mathbb{Z}_p^{\alpha} $, $ b=(b_{0},b_{1},\cdots,b_{\beta-1})\in \mathbb{Z}_p[u]^{\beta}$.\ **Theorem 3.2.** Let $C$ be a $\mathbb{Z}_p\mathbb{Z}_p[u]$-additive code of type $(p;\alpha,\beta;k_{0},k_{1})$. Then $C$ is permutation equivalent to a $\mathbb{Z}_p\mathbb{Z}_p[u]$ additive code with the standard form matrix $$\begin{aligned} G= \begin {pmatrix} I_{k_0} & A & B\\0 & uI_{k_{1}} & uD\end{pmatrix},\end{aligned}$$ where $A,B,D$ are $R$-matrices,$I_{k_0}$and $I_{k_{1}}$denote the $k_{0}\times k_{0}$ and $k_{1}\times k_{1}$ identity matrices.\ \ $ Proof $   Since the $\mathbb{Z}_p\mathbb{Z}_p[u]$ additive codes front part is $\mathbb{Z}_p^{\alpha}$,so the $\mathbb{Z}_p\mathbb{Z}_p[u]$ additive codes can be generated by a matrix as follow: $$\begin {pmatrix} I_{k_0} & S_{1}\end{pmatrix},$$ where S are $Z_{P}$-matrix. Likewise, the $\mathbb{Z}_p\mathbb{Z}_p[u]$ additive codes after part is $\mathbb{Z}_p+u\mathbb{Z}_p$, so the $\mathbb{Z}_p\mathbb{Z}_p[u]$ additive codes can be generated by a matrix as follow: $$\begin {pmatrix} S_{2} & I_{k_1} & A_{1} & A_{2}\\S_{3} & 0 & uI_{k_{2}} & uA_{3}\end{pmatrix},$$ where $S_{2},S_{3},A_{1},A_{2},A_{3}$ are $Z_{P}$-matrices.$I_{k_1},I_{k_2}$ is identity matrices. According to generator matrices theorem,we know the matrices $$\begin {pmatrix}I_{k_0} & S_{11} & S_{12} & S_{13} \\ S_{2} & I_{k_1} & A_{1} & A_{2}\\S_{3} & 0 & uI_{k_{2}} & uA_{3}\end{pmatrix},$$ is also generate the additive codes,where $ S_{1}$=$ S_{11}+ S_{12}+ S_{13}$. Next by applying necessary row and column oprations to the above matrix,we obtain $$\begin {pmatrix}I_{k_0} & 0 & S_{12}^{'} & S_{13}^{'} \\ 0 & I_{k_{11}} & A_{1}^{'} & A_{2}^{'}\\0 & 0 & uI_{k_{22}} & uA_{3}^{'}\end{pmatrix},$$ Let $k_{0}^{'}$=$k_{1}$+$k_{11}$,we can obtain the matrices $$G= \begin {pmatrix} I_{k_0^{'}} & A & B\\0 & uI_{k_{1}} & uD\end{pmatrix},$$ Finally,Let $k_0^{'}=k_0$,we reach to the claimed form.\ The inner product for the vectors $v,w\in $$\mathbb{Z}_p\mathbb{Z}_p[u]$ is defined by $$v\cdot w=u ( \sum_{i=1}^{\alpha}v_{i}w_{i})+\sum_{j=\alpha+1}^{\alpha+\beta}v_{j}w_{j}\in {Z}_p+u{Z}_p$$ **Definition 3.3.**Let C be a $\mathbb{Z}_p\mathbb{Z}_p[u]$-additive code,The additive dual code of $C$,denote by $C^{\perp}$, and\ $$C^{\perp}=\{w\in\mathbb{Z}_p^{\alpha}\times\mathbb{Z}_p[u]^{\beta}\mid v\cdot w=0~ for~all~v\in C\}.$$ **Theorem 3.4.**Let $C$ be a $\mathbb{Z}_p\mathbb{Z}_p[u]$ additive code of type $(p;\alpha,\beta;k_{0},k_{1})$ with the standard form matrix defined in Equation (1),Then the generator matrix for the additive dual code $ C^{\perp}$ is given by $$\begin{aligned} H= \begin {pmatrix} -B^{t}+D^{t}A^{t} & -D^{t} & I_{n-k_{0}-k_{1}}\\uA^{t} & -uI_{k_{1}} & 0\end{pmatrix},\end{aligned}$$ $ Proof $  Denote the code with generator matrix (2) by $C^{'}$. Since $ HG^{'}=0$, clearly $C^{'}\in C^{\perp}$.\ Let $c=(c_{1},c_{2},\cdots,c_{n})\in C^{\perp}$. After adding a linear combination of the first $n-k_{0}-k_{1}$ row of (2) to c, we obtain a codeword is of the form $$c^{'}=(c_{1},c_{2},\cdots,c_{k_{0}},c_{k_{0}+1},\cdots,c_{k_{0}+k_{1}},0,\cdots,0)\in C^{\perp}$$ Since $c^{'}$ is orthogonal to the last $k_{1}$ rows of (1),so we can adding a certain linear combination of the last $k_{1}$ row of (2) to $c^{'}$. Similar, we obtain a codeword is of the form $$c^{''}=(c_{1},c_{2},\cdots,c_{k_{0}},0,\cdots,0)\in C^{\perp}$$ Since $c^{''}$ is orthogonal to the first $k_{0}$ rows of (1), so we can obtain $c_{1} = c_{2} = \cdots =c_{k}=0$. so $c \in C^{'}$, $C^{\perp} \in C^{'}$. Therefore H is the generator matrix of the additive dual code $C^{\perp}.$\ **Example 3.5.** Let $C$ be a $\mathbb{Z}_p\mathbb{Z}_p[u]$-additive code of type $(3;1,4;2,2)$ with the standard form generator matrix: $$\begin{aligned} G= \begin {pmatrix} 1 & 0 & 0 & 1 & 1\\0 & 1 & 0 & 2 & 0\\ 0 & 0 & u & 0 & 2u\\ 0 & 0 & 0 & u & 0\end{pmatrix}\end{aligned}$$ Then,the parity-check matrix of $C$ as given: $$\begin{aligned} H= \begin {pmatrix} 2 & 0 & 1 & 0 & 1\\0 & 0 & 2u & 0 & 0\\ u & 2u & 0 & 2u & 0\end{pmatrix}\end{aligned}$$ And it’s clear that $C^{\perp}$ is of type $(3;1.4;1,2)$.\ Notice that the number of codewords cannot given by the additive code of type. In this part of the paper, we study the MacWilliams identity for $\mathbb{Z}_p\mathbb{Z}_p[u]$-additive code, the results is similar to $p=2$ \[3\], and a Gray map $\Phi$ is given, we found the Gray map $\Phi$ is a distance preserving map from ($\mathbb{Z}_p\mathbb{Z}_p[u]$,Gray distance) to ($\mathbb{Z}_p^{\alpha+2\beta}$,Hamming distance), and it is also a weight preserving map.\ In the Preliminaries, we also define a Gray map $\psi$ from $R$ to ${Z}_{p}^{2}$ in the following way. $$\begin{aligned} \psi:R&\rightarrow {Z}_{p}^{2}\\ (a+ub)&\rightarrow(b,a+b).\end{aligned}$$ At the same time, in definition 3.1., we given a map $\Phi$, it is from $\mathbb{Z}_p^{\alpha}\times\mathbb{Z}_p[u]^{\beta}$ to $\mathbb{Z}_p^{n}$ defined as\ $$\Phi(a,b)=({a_{0},a_{1},\cdots,a_{\alpha-1},\psi(b_{0}),\psi(b_{1}),\cdots,\psi(b_{\beta-1})})$$ for all $ a=({a_{0},a_{1},\cdots,a_{\alpha-1}})\in \mathbb{Z}_p^{\alpha} $, $ b=(b_{0},b_{1},\cdots,b_{\beta-1})\in \mathbb{Z}_p[u]^{\beta}$.\ Let C be an additive code and assume $n=\alpha+2\beta$, the weight enumerator of an additive code $C$ is defined by $$W(x,y)=\sum_{c\in C}x^{n-w(c)}y^{w(c)}.$$\ **Theorem 4.1.** Let $C$ be a $\mathbb{Z}_p\mathbb{Z}_p[u]$-additive code, and $C^{\perp}$ be its dual code, then their weight enumerators $W_{G}(x,y)$ and $W_{G^{\perp}}(x,y)$ are connected by the MacWilliams identity: $$W_{G^{\perp}}(x,y)=\frac{1}{|c|}W_{G}(X+(q-1)Y,X-Y)$$ $ Proof $  Similar to the proof of \[3,theorem 3.3\].\ Let $F_{p}^{*}$ is a multiplication group with nonzero elements, where $p$ is an odd prime. Next we definition a Gray weight $W_{G}(c)$ for $c=(c_{1},c_{2},\cdots,c_{n})$ in the following way: $$W_{G}(c)=\sum_{i=0}^{n-1}W_{G}(c_{i})$$ where $$\begin{aligned} W_{G}(c_{i})= \left\{ {{\begin{array}{ll} {0}, & {\textrm{if}\mbox{ } c_{i} = 0 },\\ {2}, & {\textrm{if}\mbox{ } c_{i}=a+u(p-b),a,b\in F_{p}^{*}~and ~a\neq b}, \\ {1,} & {\textrm{}\mbox{ } others}. \\ \end{array} }} \right .\end{aligned}$$ This gray weight function defines also a gray distance function $$d_{G}(x,y)=W_{G}(x-y)$$ The Hamming weight of a weight of $n$-tuples is the number of its nonzero entries. The Hamming distance between two $n$-tuples is defined as the Hamming weight of their difference. Denote the Hamming weight of a weight of a $p$-ary vector $x$ by $W_{H}(x)$ and the Hamming distance between two $p$-ary vectors $x$ and $y$ of the same length by $d_{H}(x,y)$, and we have $W_{H}(x-y)=d_{H}(x,y)$.\ Since $\forall$ $c=(c_{1},c_{2},\cdots,c_{n})\in \mathbb{Z}_p\mathbb{Z}_p[u]$. We have $$\begin{aligned} W_{H}(\Phi(c_{i}))= \left\{ {{\begin{array}{ll} {0}, & {\textrm{if}\mbox{ } c_{i} = 0 },\\ {2}, & {\textrm{if}\mbox{ } c_{i}=a+u(p-b),a,b\in F_{p}^{*}~and ~a\neq b}, \\ {1,} & {\textrm{}\mbox{ } others}. \\ \end{array} }} \right .\end{aligned}$$ Clearly, $W_{G}(c_{i})=W_{H}(\Phi(c_{i}))$ $\forall$ $c_{i}\in \mathbb{Z}_p,~~i\in(1,2,\cdots,n).$\ **Theorem 4.2.** The Gray map $\Phi$ is a weight preserving map from $$(\mathbb{Z}_p^{\alpha}\mathbb{Z}_p[u]^{\beta},Gray~~ weight)~~~to~~~(\mathbb{Z}_p^{\alpha+2\beta},Hamming ~~weight)$$ i.e. $$\begin{aligned} W_{G}(c)=W_{H}(\Phi(c)~~~for~ \forall ~c~\in \mathbb{Z}_p\mathbb{Z}_p[u].\end{aligned}$$ and $\Phi$ is a distance preserving map from $$(\mathbb{Z}_p^{\alpha}\mathbb{Z}_p[u]^{\beta},Gray~~ distance)~~~to~~~(\mathbb{Z}_p^{\alpha+2\beta},Hamming ~~distance)$$ i.e. $$\begin{aligned} d_{G}(x,y)=d_{H}(\Phi(x),\Phi(y))~~~for~ \forall ~x,y~\in \mathbb{Z}_p\mathbb{Z}_p[u].\end{aligned}$$ $ Proof $  Let $\forall$ $c=(c_{1},c_{2},\cdots,c_{\alpha},c_{\alpha+1},\cdots,c_{\alpha+\beta})\in \mathbb{Z}_p^{\alpha}\mathbb{Z}_p[u]^{\beta}$, where $c_{i}\in \mathbb{Z}_p^{\alpha},i=1,2,\cdots,\alpha.$ $c_{\alpha+i}=r_{i}+uq_{i}\in \mathbb{Z}_p[u]^{\beta},i=1,2,\cdots,\beta.$ by the grap map $\Phi$ we obtain: $$\begin{aligned} \Phi(c)&=(c_{1},c_{2},\cdots,\psi(c_{\alpha}),\psi(c_{\alpha+1}),\cdots,\psi(c_{\alpha+\beta}))\\ &=(c_{1},c_{2},\cdots,c_{\alpha},q_{1},q_{2},\ldots,q_{\beta},q_{1}+r_{1},q_{2}+r_{2},\cdots,q_{\beta}+r_{\beta})\end{aligned}$$ $$\begin{aligned} W_{H}(\Phi(c))&=W_{H}(c_{1},c_{2},\cdots,c_{\alpha},q_{1},q_{2},\ldots,q_{\beta},q_{1}+r_{1},q_{2}+r_{2},\cdots,q_{\beta}+r_{\beta})\\ &=\sum_{i=1}^{\alpha}W_{H}(c_{i})+\sum_{i=1}^{\beta}W_{H}(q_{i},q_{i}+r_{i})\\ &=\sum_{i=1}^{\alpha}W_{H}(c_{i})+\sum_{i=1}^{\beta}W_{H}(\psi(c_{\alpha+i}))\\ &=\sum_{i=1}^{\alpha}W_{G}(c_{i})+\sum_{i=1}^{\beta}W_{G}(c_{\alpha+i})\\ &=\sum_{i=1}^{\alpha+\beta}W_{G}(c_{i})=W_{G}(c)\end{aligned}$$ Therefore we have (5). Similarly,we also can deduce (6),the proof is omitted.\ In this part of the paper, we introduce the definition of a additive cyclic code and some algebraic structure. A code $C$ is cyclic if and only if its polynomial representation is an ideal. Let $R_{\alpha,\beta}[x]=\frac{Z_{p}[x]}{<x^{\alpha}-1>}\times\frac{R[x]}{<x^{\beta}-1>}$.\ **Definition 5.1.**A additive code $C$ is called a $\mathbb{Z}_p\mathbb{Z}_p[u]$-additive cyclic code if any cyclic shift of a codeword is also a code. i.e., $$(a_{0},a_{1},\cdots,a_{\alpha-1},b_{0},b_{1},\cdots,b_{\beta-1})\in C \Rightarrow (a_{\alpha-1},a_{0},\cdots,a_{\alpha-2},b_{\beta-1},b_{0},\cdots,b_{\beta-2})\in C .$$ **Theorem 5.2.**  If $C$ be any $\mathbb{Z}_p\mathbb{Z}_p[u]$-additive cyclic code, then $C^{\perp}$ is also cyclic.\ $ Proof $   Let $C$ be any $\mathbb{Z}_p^{\alpha}\mathbb{Z}_p[u]^{\beta}$-additive cyclic code. Suppose $ v=(a_{0},a_{1},\cdots,a_{\alpha-1},b_{0},b_{1},\cdots,b_{\beta-1})\in C^{\perp} $ , for any codeword $ w=(d_{0},d_{1},\cdots,d_{\alpha-1},e_{0},e_{1},\cdots,e_{\beta-1})\in C $ £¬we have $$v\cdot w=u ( \sum_{i=0}^{\alpha-1}a_{i}d_{i})+\sum_{j=0}^{\beta-1}b_{j}e_{j}=0$$ Let $S$ is a cyclic shift, and $j=lcm(\alpha,\beta)$. Then we have $S(v)=(a_{\alpha-1},a_{0},\cdots,a_{\alpha-2},b_{\beta-1},b_{0},\cdots,b_{\beta-2})$  \ and  $S^{j}(w)=w$ for any $w\in C$. Since $C$ be any $\mathbb{Z}_p^{\alpha}\mathbb{Z}_p[u]^{\beta}$-additive cyclic code, So we have\ $$S^{j-1}(w)=(d_{1},d_{2},\cdots,d_{\alpha-1},d_{0},e_{1},e_{2},\cdots,e_{\beta-1},e_{0})\in C$$ Hence $$\begin{aligned} 0=v\cdot S^{j-1}(w)=&u(a_{0}d_{1}+a_{1}d_{2}+\cdots+a_{\alpha-2}d_{\alpha-1}+a_{\alpha-1}d_{0})\\ &+(b_{0}e_{1}+b_{1}e_{2}+\cdots+b_{\beta-2}e_{\beta-1}+b_{\beta-1}e_{0})\\ =&u(a_{\alpha-1}d_{0}+a_{0}d_{1}+\cdots+a_{\alpha-2}d_{\alpha-1})\\ &+(b_{\beta-1}e_{0}+b_{1}e_{2}+\cdots+b_{\beta-2}e_{\beta-2})\\ =&S(v)\cdot w\end{aligned}$$ Therefore,we have $ S(v)\in C^{\perp} $,so $ C^{\perp} $ is a cyclic code.\ Let $C$ be a $\mathbb{Z}_p\mathbb{Z}_p[u]$-additive cyclic code, for any codeword $ c=(a_{0},a_{1},\cdots,a_{\alpha-1},b_{0},b_{1},\cdots,b_{\beta-1})\in C $ can be representation with a polynomial,i.e., $$c(x)=(a_{0}+a_{1}x+\cdots+a_{\alpha-1}x^{\alpha-1},b_{0}+b_{1}x+\cdots+b_{\beta-1}x^{\beta-1})=(a(x),b(x))\in R_{\alpha,\beta}[x].$$ Similarly. In preliminaries, we introduce a new scalar multiplication. Now, we have the following multiplication:\ (1)$\forall$ $ c_{1}(x)=(a_{1}(x),b_{1}(x)),c_{2}(x)=(a_{2}(x),b_{2}(x))\in R_{\alpha,\beta}[x] ,$ $$c_{1}(x)c_{2}(x)=(a_{1}(x)a_{2}(x),b_{1}(x)b_{2}(x))$$ (2)$\forall$ $ c_{1}(x)=(a_{1}(x),b_{1}(x))\in R_{\alpha,\beta}[x],$ $c_{2}(x)=r(x)+uq(x)\in R[x],$where $ r(x),q(x)\in {Z}_p[x],$ $$c_{1}(x)c_{2}(x)=(a_{1}(x)r(x),b_{1}(x)c_{2}(x))$$ (3)$\forall$ $ c_{1}(x)=(a_{1}(x),b_{1}(x))\in R_{\alpha,\beta}[x],$ $c_{2}(x)\in {Z}_p[x],$ $$c_{1}(x)c_{2}(x)=(a_{1}(x)c_{2}(x),b_{1}(x)c_{2}(x))$$ Clearly, definition 5.1 is equivalent to $$\begin{aligned} c(x)&=(a_{0}+a_{1}x+\cdots+a_{\alpha-1}x^{\alpha-1},b_{0}+b_{1}x+\cdots+b_{\beta-1}x^{\beta-1})\in R_{\alpha,\beta}[x].\\ \Longrightarrow xc(x)&=(a_{\alpha-1}+a_{0}x+\cdots+a_{\alpha-2}x^{\alpha-1},b_{\beta-1}+b_{0}x+\cdots+b_{\beta-2}x^{\beta-1})\in R_{\alpha,\beta}[x].\end{aligned}$$ Now, we define the homomorphism mapping: $$\begin{aligned} &\Psi:R_{\alpha,\beta}[x]\longrightarrow R[x]\\ &\Psi(c(x))=\Psi(a(x),b(x))=b(x)\end{aligned}$$ It is clear that $Image(\Psi)$ is an ideal in the ring  $\frac{R[x]}{<x^{\beta}-1>}$ and $ker(\Psi)$ is also an ideal over $Z_{p}[x]$. And note that $$Image(\Psi)=\{b(x)\in R[x]:(a(x),b(x))\in R_{\alpha,\beta}[x]\}$$ $$ker(\Psi)=\{(a(x),0)\in R_{\alpha,\beta}[x]:a(x)\in \frac{Z_{p}[x]}{x^{\alpha}-1})\}$$ By using the characterization in \[14\], we have $$Image(\Psi)=<g(x)+up(x),uq(x)>$$ where $g(x),p(x),q(x)\in \frac{R[x]}{<x^{\beta}-1>}$, $~q(x)\mid g(x)\mid (x^{\beta}-1)$ and $q(x)\mid p(x)\frac{x^{\beta}-1}{g(x)}$.\ Similarly,$$ker(\Psi)=<(f(x),0)>$$ where $ f(x)\in \frac{Z_{p}[x]}{x^{\alpha}-1}$ and $ f(x)\mid (x^{\alpha}-1) $.\ According to the homomorphism map theorem we have: $$C/ ker(\Psi)\cong <g(x)+up(x),uq(x)>.$$ Hence, we have $$(h(x),(g(x)+up(x),uq(x))\in C$$ where $\Psi(h(x),(g(x)+up(x),uq(x)))=(g(x)+up(x),uq(x))$.\ By these discussion, it is easy to see that any $\mathbb{Z}_p\mathbb{Z}_p[u]$-additive cyclic code can be generated by two elements of the form $(h(x),(g(x)+up(x),uq(x)))$ and $(f(x),0)$.\ **Corollary 5.3.**Let $C$ be a $\mathbb{Z}_p\mathbb{Z}_p[u]$-additive cyclic code. Then $C$ is an ideal in $R_{\alpha,\beta}[x]$ which can be generated by $$C=((f(x),0),(h(x),(g(x)+up(x),uq(x)))).$$ where $~q(x)\mid g(x)\mid (x^{\beta}-1)$, $q(x)\mid p(x)\frac{x^{\beta}-1}{g(x)}$ .\ **Corollary 5.4.** Let $C=((f(x),0),(h(x),(g(x)+up(x),uq(x))))$ is a $\mathbb{Z}_p\mathbb{Z}_p[u]$-additive cyclic code, then we may assume that $f(x)\mid h(x)\frac{x^{\beta}-1}{l(x)}$ .where $l(x)=lcm(p(x),q(x))$.\ $ Proof $  (1)Since $\Psi(\frac{x^{\beta}-1}{l(x)}(h(x),(g(x)+up(x),uq(x))))=\Psi((\frac{x^{\beta}-1}{l(x)}*h(x),0))=0.$\ Hence $(\frac{x^{\beta}-1}{l(x)}*h(x),0)\in ker(\Psi)\subseteq C$ and $f(x)\mid h(x)\frac{x^{\beta}-1}{l(x)}$.\ As a consequence to this corollary, we classify the structure of the additive cyclic code into three categories by the following theorem.\ **Theorem 5.5.** Let $C$ be a $\mathbb{Z}_p\mathbb{Z}_p[u]$-additive cyclic code.Then $C$ can be identified as following:\ (1)$C=((f(x),0)$, where $ f(x)\in \frac{Z_{p}[x]}{x^{\alpha}-1}$ .\ (2)$C=(h(x),(g(x)+up(x),uq(x)))$, where $~q(x)\mid g(x)\mid (x^{\beta}-1)$ and $(x^{r}-1)\mid p(x)\frac{x^{\beta}-1}{g(x)}$.\ (3)$C=((f(x),0),(h(x),(g(x)+up(x),uq(x))))$,where  $~q(x)\mid g(x)\mid (x^{\beta}-1)$, $q(x)\mid p(x)\frac{x^{\beta}-1}{g(x)}$, $f(x)\mid h(x)\frac{x^{\beta}-1}{l(x)}$ and $l(x)=lcm(p(x),q(x))$.\ **Corollary 5.6.**Let $C$ be any $\mathbb{Z}_p\mathbb{Z}_p[u]$-additive cyclic code. Then $\Phi(C)$ is an cyclic code of length $\alpha+2\beta$ over $Z_{p}$.\ $ Proof $  Let $S$ is a cyclic shift. Since $C$ be any $\mathbb{Z}_p\mathbb{Z}_p[u]$-additive cyclic code. For any codeword $$c=(a_{0},a_{1},\cdots,a_{\alpha-1},b_{0},b_{1},\cdots,b_{\beta-1})\in C$$ where $b_{i}=r_{i}+uq_{i},i\in \{0,1,2,\cdots,\beta-1\}, a_{i},r_{i},q_{i}\in Z_{p}$.\ We have $$S(c)=(a_{\alpha-1},a_{0},\cdots,a_{\alpha-2},b_{\beta-1},b_{0},\cdots,b_{\beta-2})\in C$$ Then $$\begin{aligned} \Phi(S(c))=(&a_{\alpha-1},a_{0},\cdots,a_{\alpha-2},q_{\beta-1},q_{0},\cdots,\\ &q_{\beta-2},q_{\beta-1}+r_{\beta-1},q_{0}+r_{0},\cdots,q_{\beta-2}+r_{\beta-2})\in\Phi(C)\end{aligned}$$ Then by the Gray map we have:\ $$\Phi(c)=(a_{0},a_{1},\cdots,a_{\alpha-1},q_{0},q_{1},\cdots,q_{\beta-1},q_{0}+r_{0},q_{1}+r_{1},\cdots,q_{\beta-1}+r_{\beta-1})\in\Phi(C).$$ Hence $$\begin{aligned} S(\Phi(c))=(&a_{\alpha-1},a_{0},\cdots,a_{\alpha-2},q_{\beta-1},q_{0},\cdots,q_{\beta-2},\\ &q_{\beta-1}+r_{\beta-1},q_{0}+r_{0},\cdots,q_{\beta-2}+r_{\beta-2})=\Phi(S(c))\in\Phi(C).\end{aligned}$$ This proves that $\Phi(C)$ is an cyclic code of length $\alpha+2\beta$ over $Z_{p}$.\ In this paper, we studied $\mathbb{Z}_p\mathbb{Z}_p[u]$-additive codes some property, including generator and parity check matrices for the codes. We fund the Gray map $\Phi$ is a distance preserving map and weight preserving map as well. At the end of the paper,we introduce the structure of $\mathbb{Z}_p\mathbb{Z}_p[u]$-additive cyclic code. The studies makes this family of codes become widespread. we hope this family of codes haven more studies, such as constacyclic codes, depth distribution and other place. Due to this family of codes is newly introduced, some similar problems are still open here.\ [99]{} P.Delsarte, An algebraic approach to the association schemes of coding theory\[R\]. philips Research Rep Suppl,1973. G.H. Norton, A.S., On the Hamming Distance of Linear Codes Over a Finite Chain Ring. IEEE Trans. Inform. Theory,VOL.46,NO.3,MAY 2000. I.Aydogdu,T.Abualrub ,I.Siap, On $\mathbb{Z}_2\mathbb{Z}_2[u]$ additive codes,Int.J.Comput.Math.2014.doi: 10.1080/00207160.2013.859854 I.Aydogdu , I.Siap , On $Z_{p^{r}}Z_{p^{s}}$-additive codes,Linear and Multilinear Algebra,2015.Vol.63. No.10.2089-2102. RC.Singleton, Maximum distance $q$-ary codes.IEEE Trans.Inform.Theory.1964;10:116-118. J.Borges,C.Fern$\acute{a}$ndez,J.Pujol,M.Villanueva, $Z_{2}Z_{4}$-linear codes and duality.VJMDA, pp.171-177, Ciencias,23.Secr.Publ.intercamb.Ed.,Valladolid(2006). M.Bilal, J.Borges, S.T.Dougherty, C.Fern$\acute{a}$ndez, Maximum distance separable codes over $Z_{4}$ and $Z_{2}\times Z_{4}$. Des.codes cryptogr.(2011)61:31-40. B.J$\ddot{u}$rgen, Cyclic additive codes. Journal of Algebra 372(2012)661-672. I.Aydogdu and I.Siap, The structure of $Z_{2}Z_{2^{s}}$-additive code:Bounds on the minimum distance, Appl.Math.Inform.Sci.7(6)(2013),pp.2271-2278. H.Rifa, J.Rifa, and L.Ronquillo, Perfect $Z_{2}Z_{4}$-linear codes in steganography, Comput.Res. Reposit.,Vol.abs/1002.0(2010). J.Rifa, L.Ronquillo, Product Perfect $Z_{2}Z_{4}$-linear codes in steganography.ISITA,Taichung, Taiwan,October 2010,pp.696-701. F.J.MacWilliams, N.J.A. Solane, The Theory of Error-Correcting Codes, North-Holland, Amsterdam, 1997. Z.X.Wan, Quaternary Codes, World Scientific, Singapore, 1997. X.S.Liu, H.L.Liu, Cyclic Code over $F_{2}+uF_{2}+vF_{2}$ , Chin.Quart.J.of Math.2014,29(2):189-194. T.Abualrub, I.Siap, N.Aydin, $Z_{2}Z_{4}$-Additive Cyclic Codes ,IEEE Trans.Inform.Theory. VOL.60.NO.3.MARCH 2014. [^1]: E-mail addresses: [email protected](Z.lu), [email protected](S.Zhu).\ This research is supported by the National Natural Science Foundation of China (No.61370089) and the Anhui Provincial Natural Science Foundation under Grant JZ2015AKZR0229.
null
minipile
NaturalLanguage
mit
null
We messed it up: Gautam Gambhir With his side's chances of proceeding to the play-offs looking slim, Kolkata Knight Riders skipper Gautam Gambhir on Saturday said his boys messed up the Indian Premier League game against Rajasthan Royals here. Mumbai, May 17: With his side's chances of proceeding to the play-offs looking slim, Kolkata Knight Riders skipper Gautam Gambhir on Saturday said his boys messed up the Indian Premier League game against Rajasthan Royals here. The skipper said the 199/6 posted by the Royals would have been tough to overhaul as chasers on any wicket. He also praised man of the match Shane Watson, who struck a 59 ball 104 for the Royals. Credit to Shane Watson: Gambhir In reply to the Royals' challenging score, the Kinghts could manage 190/9. "199 would be tough on any wicket. Credit to Shane the way he batted. If a top order batsman bat through more often than not they'd win," said Gambhir. "170-180 could have been an ideal total, we knew it would he high-scoring." Have to take defeat on chin: Gambhir Kolkata's chances of making it to the play-offs look very tough as they have secured 15 points from 14 games. They are now placed fourth, but would be overtaken by the winner of the Sunrisers Hyderabad versus Mumbai Indians match. However, Knights could be in with a chance if the Hyderabad-Mumbai match is washed out. Another mathematical possibility favouring the Knights could be if in the other Sunday outing, Delhi Daredevils inflict a very huge defeat on Royal Challenger Bangalore. Talking about the title holders' campaign, Gambhir said "The points table shows all sides are quality. It's one of the difficult leagues to play. We've played reasonably good cricket but there are games we should have won. That's why we're here. "It's going to be tough, but you have to take it on your chin and move on."
null
minipile
NaturalLanguage
mit
null
The present invention pertains to an apparatus for treating a plurality of gas streams in an apparatus and to modify the gas streams and process for such modification. Gas flow management systems have been available for increasing the humidity in a gas stream. The control of their flow has been utilized in the pharmaceutical, food, or chemical industries. Control of humidity is particularly important to prevent rust or condensation for plant equipment, cargo ships and precision electronic parts. In addition, having control of the air streams is desired for certain crops dryness, such as, tea leaves, dried sea leaves, lumbers, mushrooms, fishes and other materials where there is a need for low humid storage. Fuel cell gas management systems are also areas for the modification of gas streams for decreased humidity. See U.S. Pat. No. 6,013,385. The difficulties associated with previous air flow systems is that substantial mechanical action may be required to drive a rotating air flow chamber utilizing frictional forces widely separated from the rotating wheel. The idea of exchanging water vapor using a rotating desiccant substrate is widely used in the HVAC industries for commercial and residential applications. However, the problems associated with utilizing this technology for gas management in fuel cell systems is due to high differential pressures between the gas flow inside a fuel cell system and the atmosphere. Such high differential pressures can require substantial mechanical action to drive a rotating air flow chamber. The air flow chamber must be compressed, creating large frictional forces on rotating parts, to eliminate leakage of gases due to the large differential pressures. Problems associated with gas flows are that the pressure differential between the atmosphere and the gas stream is quite high. It would be desirable to decrease the gas pressure within a rotating vessel thereby decreasing the size of a motor to drive a humidity control vessel. Described is a method of conditioning a gas stream comprising passing the gas stream into a vessel which contains a rotating enclosure and which contains an apparatus to rotate the enclosure, which enclosure is pressure sealed from the surrounding atmosphere and which is divided into a plurality of modulating zones; and treating the inlet gas to modify its properties within the enclosure due to the presence of modulating materials within the zones in the enclosure; and passing the modified gas to an outlet of the vessel. Also described is an apparatus for conditioning a plurality of gas streams comprising a vessel which contains an enclosure capable of rotating, which enclosure is pressure sealed from the surround atmosphere, by a second, outer enclosure, and is divided into a plurality of modulating zones; the zones having the ability to modify the properties of the gas streams coming in contact with the zones due to the presence of modulating materials therein; a motor within the vessel capable of rotating the enclosure within the vessel to facilitate the contacting of the gas streams within the zones and preferably a plurality of inlets to the vessel for the gas streams and a preferably plurality of outlets from the vessel to pass the modulated gas streams whereby the gas streams pass through the inlets to the vessel and then to the enclosures and are modified in the zones, as the enclosure is rotated, and exit from the enclosure zones in a modified form and then exit from the vessel.
null
minipile
NaturalLanguage
mit
null
Don't miss the hottest event in comics as BRIGHTEST DAY continues with the search for a new White Lantern. And Martian Manhunter returns to Mars as we discover the origin of the creature mysteriously stalking him. Plus, the evil within Firestorm now haunts Professor Stein! And Hawkman: betrayed!
null
minipile
NaturalLanguage
mit
null
The folks at Wondery have asked us to share a preview from their podcast American Innovations hosted by popular science author Steven Johnson. If you like the preview and would like to hear the full episode plus episodes on topics like mapping the human genome or the rise of the personal computer, head over to Wondery.com or iTunes for more!
null
minipile
NaturalLanguage
mit
null
--- abstract: 'We use correlation potential and many-body perturbation theory techniques to calculate spin-independent and nuclear spin-dependent parts of the parity nonconserving amplitudes of the transitions between the $6s_{1/2}$ ground state and the $5d_{3/2}$ excited state of Ba$^+$ and Yb$^+$ and between the $7s_{1/2}$ ground state and the $6d_{3/2}$ excited state of Ra$^+$. The results are presented in a form convenient for extracting of the constants of nuclear-spin-dependent interaction (such as, e.g., anapole moment) from the measurements.' author: - 'V. A. Dzuba and V. V. Flambaum' date: title: 'Calculation of nuclear-spin-dependent parity nonconservation in s-d transitions of Ba$^+$, Yb$^+$ and Ra$^+$ ions.' --- Introduction ============ The study of the parity nonconservation (PNC) in atoms is a low-energy, relatively inexpensive alternative to high-energy search for new physics beyond the standard model (see, e.g. [@Khrip]). The most significant recent achievement on this path is the very precise measurements of the PNC in cesium [@Wood]. The cesium PNC experiment together with its interpretation [@Breit; @QED; @Cs-cor] in terms of nuclear weak charge provides the best current atomic test of the standard model (see also review [@Ginges]). It is also the only measurement of the nuclear [*anapole moment*]{} which is produced by the PNC nuclear forces [@anapole]. The extraction of the weak nuclear charge from the PNC measurements relies on atomic calculations. Cesium atom has the simplest electron structure among all heavy atoms which were used or considered for the PNC measurements. Still it took considerable efforts of several groups of theorists to bring the accuracy of the calculations in line with the accuracy of measurements and provide reliable interpretation of the measurements in terms of the standard model and possible new physics beyond it [@Breit; @QED; @Cs-cor]. It is widely believed now that it would be hard to compete with cesium experiment in terms of accuracy of interpretation of the PNC measurements. Therefore, the study of PNC in atoms is mostly focused now in two directions: (i) the measurements of the PNC ratio for a chain of isotopes which was first proposed in Ref. [@DFK86], and (ii) the measurements of the nuclear-spin-dependent PNC, like e.g. the contribution from nuclear anapole moment (see, e.g. reviews [@Ginges; @DF10]). The study of the PNC for a chain of isotopes does not require atomic calculations and can deliver useful information about either neutron distribution or new physics beyond standard model (see, e.g. [@Fortson; @DP02; @BDF09]). The measurements of anapole moment does require atomic calculations but high accuracy is not critical here. Ba$^+$, Yb$^+$ and Ra$^+$ ions considered in present paper are good candidates for both types of the experimental studies. Ba and Yb both have seven stable isotopes with large difference in neutron numbers $\Delta N_{max} = 8$. Radium has several long-living isotopes. There are two stable isotopes for each of the Ba and Yb atoms ($^{135}$Ba, $^{139}$Ba, $^{171}$Yb and $^{173}$Yb) which have non-zero nuclear spin. There are also isotopes of Ra with non-zero nuclear spin ($^{223}$Ra, $^{225}$Ra, $^{229}$Ra). In all cases nuclear spin is provided by valence neutron. This is especially interesting since it allows one to measure the strength of the neutron-nucleus PNC potential [@anapole] (the anapole moment has been measured only for the $^{133}$Cs nucleus which has valence proton). Finally, Ba$^+$ and Ra$^+$ ions have electron structure similar to those of cesium atom. This means that the accuracy of the interpretation of the PNC measurements can be on the same level as for cesium. Moreover, it can be further improved with the use of the experimental data [@DFG01]. The use of Ba$^+$ in the PNC measurements was first suggested by Fortson [@F93]. The work is in progress at Seattle (see, e.g. [@Sherman05; @Sherman]) but no PNC results have been reported yet. Similar approach is now considered for the measurements of PNC in Ra$^+$ ion at KVI [@Wansbeek; @Versolato]. It is important that in Ra$^+$ the PNC effects are about 20 times larger than in Ba$^+$. There are plans to measure PNC in Yb$^+$ at Los Alamos [@Torgerson]. Note that the PNC measurements for neutral ytterbium are in progress at Berkeley and first PNC results were recently reported [@BudkerYbPNC]. The PNC measurements for the Yb$^+$ ion would provide an important consistency test for the measurements and their interpretation. Calculations of the spin-independent PNC amplitude for Ba$^+$ and Ra$^+$ were performed in our early work [@DFG01] and in [@Sahoo06]. Calculations for Ra$^+$ were later performed in [@Wansbeek] and [@Pal09]. The only calculation of the spin-dependent PNC in Ra$^+$ was recently reported by Sahoo [*et al*]{} [@Sahoo11]. To the best of our knowledge, no PNC calculations for Yb$^+$ have been published so far. In present paper we calculate both spin-independent and spin-dependent PNC amplitudes simultaneously using the same procedure and the same wave functions. In this approach the relative sign of the amplitudes is fixed. This allows for unambiguous determination of the sign of the spin-dependent contribution. The constant of the spin-dependent interaction can be expressed via the ratio of the two amplitudes. This brings an extra advantage of more accurate interpretation of the measurements. The accuracy of the calculations for the ratio of the PNC amplitudes is usually higher than that for each of the amplitudes. This is because the amplitudes are often very similar in structure and most of the theoretical uncertainty cancels out in the ratio. Since we focus on the calculation of the nuclear-spin-dependent PNC amplitudes where high accuracy of calculations is not needed, we don’t include some small corrections, like some classes of diagrams for higher-order correlations, Breit and quantum electrodynamic (QED) corrections, etc. Instead, we make sure that all leading contributions are included exactly the same way for both spin-independent and spin-dependent PNC amplitudes which is important for the cancelation of the uncertainty in the ratio. Theory ====== Hamiltonian describing parity-nonconserving electron-nuclear interaction can be written as a sum of spin-independent (SI) and spin-dependent (SD) parts (we use atomic units: $\hbar = |e| = m_e = 1$): $$\begin{aligned} H_{\rm PNC} &=& H_{\rm SI} + H_{\rm SD} \nonumber \\ &=& \frac{G_F}{\sqrt{2}} % (1) \Bigl(-\frac{Q_W}{2} \gamma_5 + \frac{\varkappa}{I} {\bm \alpha} {\bm I} \Bigr) \rho({\bm r}), \label{e1}\end{aligned}$$ where $G_F \approx 2.2225 \times 10^{-14}$ a.u. is the Fermi constant of the weak interaction, $Q_W$ is the nuclear weak charge, $\bm\alpha=\left( \begin{array} [c]{cc}% 0 & \bm\sigma\\ \bm\sigma & 0 \end{array} \right)$ and $\gamma_5$ are the Dirac matrices, $\bm I$ is the nuclear spin, and $\rho({\bf r})$ is the nuclear density normalized to 1. The strength of the spin-dependent PNC interaction is proportional to the dimensionless constant $\varkappa$ which is to be found from the measurements. There are three major contributions to $\varkappa$ arising from (i) electromagnetic interaction of atomic electrons with nuclear [*anapole moment*]{} [@FKh85], (ii) electron-nucleus spin-dependent weak interaction, and (iii) combined effect of spin-independent weak interaction and magnetic hyperfine interaction [@Novikov] (see, also review [@Ginges]). In this work we do not distinguish between different contributions to $\varkappa$ and present the results in terms of total $\varkappa$ which is the sum of all possible contributions. Within the standard model the weak nuclear charge $Q_W$ is given by [@PDG] $$%Q_W = -N + Z\,(1-4\,\sin^2\theta_W) . Q_W \approx -0.9877N + 0.0716Z. \label{eq:qw}$$ Here $N$ is the number of neutrons, $Z$ is the number of protons. The PNC amplitude of an electric dipole transition between states of the same parity $|i\rangle$ and $|f \rangle$ is equal to: $$\begin{aligned} E1^{PNC}_{fi} &=& \sum_{n} \left[ \frac{\langle f | {\bm d} | n \rangle \langle n | H_{\rm PNC} | i \rangle}{E_i - E_n}\right. \nonumber \\ &+& \left.\frac{\langle f | H_{\rm PNC} | n \rangle \langle n | d_q | i \rangle}{E_f - E_n} \right], \label{eq:e2}\end{aligned}$$ where ${\bm d} = -e\sum_i {\bm r_i}$ is the electric dipole operator, $|a \rangle \equiv |J_a F_a M_a \rangle$ and ${\bm F} = {\bm I} + {\bm J}$ is the total angular momentum. Applying the Wigner-Eckart theorem we can express the amplitudes via reduced matrix elements $$\begin{aligned} E1^{PNC}_{fi} &=& (-1)^{F_f-M_f} \left( \begin{array}{ccc} F_f & 1 & F_i \\ -M_f & q & M_i \\ \end{array} \right) \nonumber \\ &\times& \langle J_f F_f || d_{\rm PNC} || J_i F_i \rangle .\end{aligned}$$ Detailed expressions for the reduced matrix elements of the SI and SD PNC amplitudes can be found e.g. in Refs. [@Porsev01] and [@JSS03]. For the SI amplitude we have $$\begin{aligned} &&\langle J_f,F_f || d_{\rm SI} || J_i,F_i \rangle = (-1)^{I+F_i+J_f+1}\nonumber \\ && \times \sqrt{(2F_f+1)(2F_i+1)} \left\{ \begin{array}{ccc} J_i & J_f & 1 \\ F_f & F_i & I \\ \end{array} \right\} \label{eq:si0}\\ && \times \sum_{n} \left[ \frac{\langle J_f || {\bm d} || n,J_n \rangle \langle n,J_n || H_{\rm SI} || J_i \rangle}{E_i - E_n}\right. \nonumber \\ && + \left.\frac{\langle J_f || H_{\rm SI} || n,J_n \rangle \langle n,J_n || {\bm d} || J_i \rangle}{E_f - E_n} \right]. \nonumber %&& \equiv c(F_f,J_f,F_i,J_i) E^{\prime}_{fi}. \nonumber\end{aligned}$$ For the SD PNC amplitude we have $$\begin{aligned} && \langle J_f,F_f || d_{\rm SD} || J_i,F_i \rangle = \frac{G_F}{\sqrt{2}} \varkappa \nonumber \\ &&\times \sqrt{(I+1)(2I+1)(2F_i+1)(2F_f+1)/I} \nonumber \\ &&\times \sum_{n} \left[ (-1)^{J_f - J_i} \left\{ \begin{array}{ccc} J_n & J_i & 1 \\ I & I & F_i \\ \end{array} \right\} \left\{ \begin{array}{ccc} J_n & J_f & 1 \\ F_f & F_i & I \\ \end{array} \right\} \right. \nonumber \\ &&\times \frac{ \langle J_f || {\bm d} || n, J_n \rangle \langle n, J_n || {\bm \alpha}\rho || J_i \rangle }{E_n - E_i} \label{eq:dsd} \\ &&+ (-1)^{F_f - F_i} \left\{ \begin{array}{ccc} J_n & J_f & 1 \\ I & I & F_f \\ \end{array} \right\} \left\{ \begin{array}{ccc} J_n & J_i & 1 \\ F_i & F_f & I \\ \end{array} \right\} \nonumber \\ &&\times \left. \frac{\langle J_f || {\bm \alpha}\rho ||n,J_n \rangle \langle n,J_n || {\bm d} ||J_i \rangle}{E_n - E_f} \right]. \nonumber\end{aligned}$$ For the case of the $5d - 6s$ transitions considered in present paper (or $6d-7s$ in the case of Ra$^+$) it is convenient to break expression (\[eq:dsd\]) into four parts: $$\langle 5d_{3/2},F_f || d_{\rm SD} || 6s,F_i \rangle = S_1+S_2+S_3+S_4, \label{eq:ssss}$$ where $$\begin{aligned} &&S_1 = c_1(F_f,F_i) \label{eq:s1} \\ &&\times \sum_n \frac{ \langle 5d_{3/2} || {\bm d} || np_{1/2} \rangle \langle np_{1/2} || {\bm \alpha}\rho || 6s \rangle }{E_{np_{1/2}} - E_{6s}} , \nonumber \\ &&S_2 = c_2(F_f,F_i) \label{eq:s2} \\ &&\times \sum_n \frac{ \langle 5d_{3/2} || {\bm d} || np_{3/2} \rangle \langle np_{3/2} || {\bm \alpha}\rho || 6s \rangle }{E_{np_{3/2}} - E_{6s}} , \nonumber \\ &&S_3 = c_3(F_f,F_i) \label{eq:s3} \\ &&\times \sum_n \frac{\langle 5d_{3/2} || {\bm \alpha}\rho ||np_{1/2} \rangle \langle np_{1/2} || {\bm d} ||6s \rangle}{E_{np_{1/2}} - E_{5d_{3/2}}}, \nonumber \\ &&S_4 = c_4(F_f,F_i) \label{eq:s4} \\ && \times \sum_n \frac{\langle 5d_{3/2} || {\bm \alpha}\rho ||np_{3/2} \rangle \langle np_{3/2} || {\bm d} ||6s \rangle}{E_{np_{3/2}} - E_{5d_{3/2}}}. \nonumber\end{aligned}$$ Here $c_m(F_f,F_i)$ ($m=1,2,3,4$) are coefficients which can be reconstructed using (\[eq:dsd\]). The terms $S_1, S_2, S_3, S_4$ differ by the order of the operators $\bm d$ and ${\bm \alpha}\rho$ and by the states in the summation which are either $np_{1/2}$ or $np_{3/2}$ states. To know the relative values of these terms is important for the analysis of the accuracy of the calculations. Calculations ============ To perform the calculations we follow an [*ab initio*]{} approach which uses the correlation potential method [@CPM] and the technique to include higher-order correlations developed in Refs. [@DFS89a; @DFS89b; @DFKS]. Calculations start from the relativistic Hartree-Fock (RHF) method in the $V^{N-1}$ approximation. This means that the initial RHF procedure is done for a closed-shell atomic core with the valence electron removed. After that, the states of the external electron are calculated in the field of the frozen core. Correlations are included by means of the correlation potential method [@CPM]. For Ba$^+$ and Ra$^+$ we use the all-order correlation potential $\hat \Sigma^{(\infty)}$ which includes two classes of the higher-order terms: screening of the Coulomb interaction and hole-particle interaction (see, e.g. [@DFS89a] for details). For Yb$^+$ we use the second-order correlation potential $\hat \Sigma^{(2)}$. The reason for different approaches is due to different electron structures of the ions. The all-order technique developed in [@DFS89a; @DFS89b; @DFKS] works very well for alkali atoms and similar ions in which the valence electron is far from the atomic core and higher-order correlations are dominated by screening of the core-valence residual Coulomb interaction by the core electrons. For atoms and ions similar to Yb$^+$, in which an external electron is close to the core and strongly interacts with its electrons, a different higher-order effect described by the [*ladder diagrams*]{} [@ladder] becomes important. The applicability of the technique of Ref. [@ladder] to Yb$^+$ needs further investigation. Meanwhile, the use of the second-order $\hat \Sigma^{(2)}$ leads to sufficiently good results. Note that an external electron in Ba$^+$ and Ra$^+$ ions is also closer to atomic core than in neutral alkali atoms Cs and Fr. This means that inclusion of ladder diagrams might be a way to improve the accuracy of calculations for the ions as well. This question also needs further investigation. To calculate $\hat \Sigma$ ($\hat \Sigma^{(\infty)}$ or $\hat \Sigma^{(2)}$)we need a complete set of the single-electron orbitals. We use the B-spline technique [@Bspline] to construct the basis. The orbitals are built as linear combinations of 50 B-splines of order 9 in a cavity of radius 40$a_B$. The coefficients are chosen from the condition that the orbitals are the eigenstates of the RHF Hamiltonian $\hat H_0$ of the closed-shell core. The second-order operator $\hat \Sigma^{(2)}$ is calculated via direct summation over B-spline basis states. The all-order $\hat \Sigma^{(\infty)}$ is calculated with the technique which combines solving equations for the Green functions (for the direct diagram) with the summation over complete set of states (exchange diagram) [@DFS89a]. The correlation potential $\hat \Sigma$ is then used to build a new set of single-electron states, the so-called Brueckner orbitals. This set is to be used in the summation in equations (\[eq:si0\]), and (\[eq:dsd\]). Here again we use the B-spline technique to build the basis. The procedure is very similar to constructing of the RHF B-spline basis. The only difference is that new orbitals are now the eigenstates of the $\hat H_0 + \hat \Sigma$ Hamiltonian. Ion State RHF Brueckner Experiment[@web] -------- ------------ ------- ----------- ------------------ Ba$^+$ $6s_{1/2}$ 75340 80815 80687 $6p_{1/2}$ 57266 60571 60425 $6p_{3/2}$ 55873 58848 58735 $5d_{3/2}$ 68139 76318 75813 Yb$^+$ $6s_{1/2}$ 90789 99477 98207 $6p_{1/2}$ 66087 70728 71145 $6p_{3/2}$ 63276 67101 67815 $5d_{3/2}$ 66517 75551 75246 Ra$^+$ $7s_{1/2}$ 75898 82032 81842 $7p_{1/2}$ 56878 60715 60491 $7p_{3/2}$ 52906 55753 55633 $6d_{3/2}$ 62356 70091 69758 : Ionization energies of lowest $s,p$ and $d$ states of Ba$^+$, Yb$^+$ and Ra$^+$ in different approximations (cm$^{-1}$).[]{data-label="t:en"} Ion $s_{1/2}$ $p_{1/2}$ $p_{3/2}$ $d_{3/2}$ -------- ----------- ----------- ----------- ----------- Ba$^+$ 0.978 0.960 0.964 0.941 Yb$^+$ 0.862 1.081 1.170 0.968 Ra$^+$ 0.970 0.946 0.960 0.959 : Rescaling factors for the correlation potential $\hat \Sigma$.[]{data-label="t:f"} Brueckner orbitals which correspond to the lowest valence states are good approximations to the real physical states. Their quality can be tested by comparing experimental and theoretical energies. The energies of the lowest states of Ba$^+$, Yb$^+$ and Ra$^+$ in RHF and Brueckner approximations are presented in Table \[t:en\]. One can see that inclusion of the correlations leads to significant improvement of the accuracy in all cases. The deviation of the theory from experiment is just fraction of a per cent in the case of Ba$^+$ and Ra$^+$ where an all-order $\hat \Sigma^{(\infty)}$ is used and does not exceed 1.3% for Yb$^+$ where the second-order $\hat \Sigma^{(2)}$ is used. The quality of the Brueckner orbitals can be further improved by rescaling the correlation potential $\hat \Sigma$ to fit the experimental energies exactly. We do this by replacing the $\hat H_0 + \hat \Sigma$ with the $\hat H_0 + \lambda \hat \Sigma$ Hamiltonian in which the rescaling parameter $\lambda$ is chosen for each partial wave to fit the energy of the first valence state. The values of $\lambda$ are presented in Table \[t:f\]. Note that these values are very close to unity. This means that even without rescaling the accuracy is good and only a small adjustment of the value of $\hat \Sigma$ is needed. Note also that since the rescaling procedure affects not only energies but also the wave functions, it usually leads to improved values of the matrix elements of external fields. In fact, this is a semi-empirical method to include omitted higher-order correlation corrections. Matrix elements of the $H_{\rm SI}$, $H_{\rm SD}$ and electric dipole operators are found by means of the time-dependent Hartree-Fock (TDHF) method [@CPM; @DFS84] extended to Brueckner orbitals. This method incorporates to the well-known random-phase approximation (RPA) diagrams including exchange. In the TDHF method, the single-electron wave functions are presented in the form $\psi = \psi_0 + \delta \psi$, where $\psi_0$ is the unperturbed wave function. It is an eigenstate of the RHF Hamiltonian $\hat H_0$: $(\hat H_0 -\epsilon_0)\psi_0 = 0$. $\delta \psi$ is the correction due to external field. It can be found be solving the TDHF equation $$(\hat H_0 -\epsilon_0)\delta \psi = -\delta\epsilon \psi_0 - \hat F \psi_0 - \delta \hat V^{N-1} \psi_0, \label{TDHF}$$ where $\delta\epsilon$ is the correction to the energy due to external field ($\delta\epsilon\equiv 0$ for all above mentioned operators but it is not zero for the hyperfine interaction which we will need for the analysis of accuracy), $\hat F$ is the operator of the external field, and $\delta \hat V^{N-1}$ is the correction to the self-consistent potential of the core due to external field. The TDHF equations are solved self-consistently for all states in the core. Then the matrix elements between any (core or valence) states $n$ and $m$ are given by $$\langle \psi_n | \hat F + \delta \hat V^{N-1} | \psi_m \rangle. \label{mel}$$ The best results are achieved when $\psi_n$ and $\psi_m$ are the Brueckner orbitals computed with rescaled correlation potential $\hat \Sigma$. We use equation (\[mel\]) for all weak and electric dipole matrix elements in evaluating the SI and SD PNC amplitudes (\[eq:si0\]) and (\[eq:dsd\]). Accuracy of calculations {#accuracy} ======================== Ion Transition This work Other -------- --------------------- ----------- ---------- Ba$^+$ $6s_{1/2}-6p_{1/2}$ 3.32 3.36(4) $6s_{1/2}-6p_{3/2}$ 4.69 4.55(10) $5d_{3/2}-6p_{1/2}$ 3.06 3.14(8) $5d_{3/2}-6p_{3/2}$ 1.34 1.54(19) Yb$^+$ $6s_{1/2}-6p_{1/2}$ 2.72 2.471(3) $6s_{1/2}-6p_{3/2}$ 3.84 3.36(2) $5d_{3/2}-6p_{1/2}$ 3.09 2.97(4) $5d_{3/2}-6p_{3/2}$ 1.36 1.31 Ra$^+$ $7s_{1/2}-7p_{1/2}$ 3.24 3.254 $7s_{1/2}-7p_{3/2}$ 4.49 4.511 $6d_{3/2}-7p_{1/2}$ 3.56 3.566 $6d_{3/2}-7p_{3/2}$ 1.51 1.512 : Electric dipole matrix elements. Comparison of present calculations with experiment or most complete other calculations.[]{data-label="t:E1"} Ion State This work Experiment ---------------- ------------ ----------- ------------- $^{135}$Ba$^+$ $6s_{1/2}$ 3671 3593.3(2.2) $6p_{1/2}$ 668 664.6(0.3) $6p_{3/2}$ 131 113.0(0.1) $5d_{3/2}$ 161 169.5892(9) $^{171}$Yb$^+$ $6s_{1/2}$ 13217 12645(2) $6p_{1/2}$ 2533 2104.9(1.3) $6p_{3/2}$ 388 877(20) $5d_{3/2}$ 291 430(43) $^{223}$Ra$^+$ $7s_{1/2}$ 3537 3404(2) $7p_{1/2}$ 679 667(2) $7p_{3/2}$ 69.8 56.5(8) $6d_{3/2}$ 57.8 77.6(8) : Magnetic dipole hyperfine constants $A$ (MHz). Comparison of present calculations with experiment.[]{data-label="t:hfs"} The accuracy of the results obtained via direct summation over physical states with the use of expressions like (\[eq:e2\]) is determined by the accuracy for the energies, electric dipole and weak matrix elements. We start from the notion that for the PNC amplitudes considered in present work the summation over intermediate $p$-states is strongly dominated by the $6p_{1/2}$ and $6p_{3/2}$ states for Ba$^+$ and Yb$^+$ and by $7p_{1/2}$ and $7p_{3/2}$ states for Ra$^+$. Corresponding contributions constitute 70 to 90% of the total PNC amplitude. Therefore, it is sufficient to compare with experiment energies and matrix elements involving these $p$-states. The energies and electric dipole matrix elements can be directly compared with experiment while standard practice of comparing experimental and theoretical hyperfine structure can be used to test the accuracy of the weak matrix elements. To improve the accuracy for the amplitudes the energies of the $6s$, $6p_{1/2}$, $6p_{3/2}$ and $5d_{3/2}$ states ($7s$, $7p_{1/2}$, $7p_{3/2}$ and $6d_{3/2}$ for Ra$^+$) are fitted exactly in our calculations using rescaling of the correlation potential $\hat \Sigma$ as it has been described in previous section. Calculated and experimental E1-transition amplitudes are presented in Table \[t:E1\]. Note that we need comparison with experiment only for estimation of the accuracy of our calculations. Therefore, a comprehensive review of the experimental and theoretical data available for the ions goes beyond the scope of present work. We only compare our results with the most accurate experimental data or with the most complete other calculations where the experimental data are not available. Good reviews of the electric dipole transition data in Ba$^+$ and Yb$^+$ can be found in Ref. [@Sherman] and [@Olmschenk2]. The data in Table \[t:E1\] shows good agreement between theory and experiment for most of the amplitudes, although the accuracy for the amplitudes involving the $p_{3/2}$ states is lower than that for the $p_{1/2}$ states. Table \[t:hfs\] shows theoretical and experimental data on the hyperfine structure constants of the low states of Ba$^+$, Yb$^+$ and Ra$^+$. Here again we only compare our calculations with the most accurate experimental data. A review of the available experimental and theoretical data for Ba$^+$ can be found in Ref. [@Yu09]. The data in Table \[t:hfs\] shows several trends: (i) the accuracy is good for $s_{1/2}$ and $p_{1/2}$ states, especially in the cases of Ba$^+$ and Ra$^+$, (ii) the accuracy for Yb$^+$ is lower than that for Ba$^+$ and Ra$^+$, (iii) the accuracy for $p_{3/2}$ and $d_{3/2}$ states is lower than that for the $s_{1/2}$ and $p_{1/2}$ states. The largest discrepancy is for the hfs of the $6_{3/2}$ state of Yb$^+$ where theory and experiment differ almost three times. Note that the most complete calculations of Ref. [@SS09] give the result which is close to our theoretical value rather than to the experiment. In principle, the discrepancy can be explained by configuration mixing involving configurations with excitations from the $4f$ subshell. Neither our present calculations nor those of Ref. [@SS09] include this mixing explicitly. The configuration interaction calculations based on technique developed in Ref. [@DF08a; @DF08b] which treats Yb$^+$ as a system with fifteen valence electrons show that the hfs of the $6p_{3/2}$ state is indeed very sensitive to the configuration mixing. One can find such mixing which reproduces the experimental hfs exactly while the accuracy for the energy and for the $g$-factor of the $6p_{3/2}$ state is also good. However, the results are inconclusive due to strong instability of the hfs of the $6p_{3/2}$ state. We can only say that the configuration mixing can explain current experimental value of the hfs of $6p_{3/2}$ state but we cannot prove that this explanation is correct. Since the disagreement between theory and experiment for the hfs of the $6p_{3/2}$ state of Yb$^+$ is the main factor contributing to the uncertainty of the calculations for Yb$^+$, it would be useful to remeasure the hfs of this state. The fact that the accuracy for the $p_{1/2}$ and $p_{3/2}$ states is different complicates the analysis of the accuracy for the PNC amplitudes. There is cancelation between terms containing matrix elements with the $p_{1/2}$ and $p_{3/2}$ states. In the end of section \[theory\] we introduced the notations $S_1, S_2, S_3$ and $S_4$ for these terms (see Eqs.(\[eq:s1\],\[eq:s2\],\[eq:s3\],\[eq:s4\])). The terms involving the $p_{1/2}$ states are $S_1$ and $S_3$, the terms with the $p_{3/2}$ states are $S_2$ and $S_4$. Table \[t:ssss\] shows the $S_1, S_2, S_3, S_4$ contributions to the reduced matrix elements of the nuclear-spin-dependent PNC interaction in some hfs components of the transitions in Ba$^+$, of Yb$^+$ and of Ra$^+$. One can see that the $S_2$ term is usually small while the $S_4$ term is not small. For example, for Yb$^+$ the contribution of the $S_4$ term is more than a half of the total sum. It is clear that the accuracy of the calculations in this case will be mostly determined by the accuracy of the $S_4$ term. To analyse the accuracy of the PNC calculations we need a procedure which takes into account the deviation of the experimental and theoretical data for the electric dipole matrix elements and for the hyperfine structure as well as the effect of partial cancelation between different contributions to the PNC amplitude. We do this by comparing the [*ab initio*]{} calculations with the calculations in which the electric dipole and weak matrix elements are rescaled to fit the experimental data. For example, assuming that the weak matrix elements between two states are proportional to the square root of the hfs constants for these states we rescale them as following $$\langle n |H_{\rm PNC}|m \rangle_{\rm rescaled} = \sqrt{\frac{A_n^{\rm exp}A_m^{\rm exp}}{A_n^{\rm th}A_m^{\rm th}}} \langle n |H_{\rm PNC}|m \rangle. \label{eq:rs}$$ Here $A_n^{\rm exp}$ and $A_n^{\rm th}$ are experimental and theoretical values of the hfs constants from Table \[t:hfs\]. This means that we perform accurate rescaling for matrix elements involving $6p_{1/2}$ and $6p_{3/2}$ states ($7p_{1/2}$ and $7p_{3/2}$ for Ra$^+$). As it was stated above, this corresponds to 70 to 90% of the total PNC amplitude. We use the same rescaling for all matrix elements involving higher $p$ states. Electric dipole matrix elements are also rescaled to fit the experimental data for the transitions between lowest states. The difference between PNC amplitudes obtained in the [*ab initio*]{} calculations and calculations with rescaling serves as an estimation of the uncertainty of the calculations. Note that the accuracy for the relative contribution of the nuclear-spin-dependent interaction can be higher that for each of the amplitudes (see also Ref. [@DF11]). As we will see in the next section, this is usually the case when the $S_2$ and $S_3$ contributions are both small. This is because these terms are exactly zero for the spin-independent PNC amplitudes. Therefore, the spin-dependent PNC amplitudes in which the $S_2$ and $S_3$ terms are small, are similar to the spin-independent amplitudes. They both change under scaling at the same rate which cancels out in the ratio. Ion $F_1$ $F_2$ $S_1$ $S_2$ $S_3$ $S_4$ Sum ---------------- ------- ------- -------- -------- -------- -------- -------- $^{135}$Ba$^+$ 0 1 0.134 0.002 0.000 -0.027 0.108 1 1 -0.211 -0.001 0.013 0.032 -0.168 1 2 -0.057 0.003 0.029 -0.014 -0.040 2 1 0.211 -0.002 -0.038 -0.009 0.162 2 2 0.127 -0.003 -0.038 0.009 0.094 3 2 -0.212 -0.002 0.000 0.043 -0.171 $^{171}$Yb$^+$ 1 0 0.780 0.000 -0.306 -0.164 0.310 1 1 0.184 -0.008 -0.432 0.116 -0.140 2 1 -0.411 -0.004 0.000 0.156 -0.259 $^{229}$Ra$^+$ 1 2 2.021 0.031 0.000 -0.119 1.933 2 2 -2.301 -0.005 0.265 0.084 -1.957 2 3 -0.878 0.044 0.496 -0.045 -0.384 3 2 2.058 -0.037 -0.593 -0.006 1.423 3 3 1.643 -0.036 -0.530 0.006 1.084 4 3 -2.500 -0.039 0.000 0.148 -2.391 : Contributions to the reduced matrix elements $\langle 5d_{3/2},F_1||\hat H^{\rm eff}_{\rm SDPNC}||6s_{1/2},F_2\rangle$ of the spin-dependent parity-nonconserving s-d transitions. See text for explanation of notations. Units: $10^{-11} \varkappa iea_0$.[]{data-label="t:ssss"} Results ======= The results of the calculations for the spin-independent part of the PNC amplitudes ($z$-components) are $$\begin{aligned} {\rm Ba^+:} && E1^{\rm PNC}(5d_{3/2} - 6s) = \nonumber \\ &&0.29(2) \times 10^{-12} Q_W iea_0, \label{eq:bapnc} \\ {\rm Yb^+:} && E1^{\rm PNC}(5d_{3/2} - 6s) = \nonumber \\ &&0.62(20) \times 10^{-12} Q_W iea_0, \label{eq:ybpnc} \\ {\rm Ra^+:} && E1^{\rm PNC}(6d_{3/2} - 7s) = \nonumber \\ &&3.4(1) \times 10^{-12} Q_W iea_0. \label{eq:rapnc} \end{aligned}$$ The uncertainties are estimated by comparing [*ab initio*]{} calculations with the calculations in which matrix elements were rescaled as it was described in previous section. The expressions (\[eq:bapnc\],\[eq:ybpnc\],\[eq:rapnc\]) are valid for any isotopes. All dependence on nuclear number $A$ is via weak nuclear charge $Q_W$ (see, (\[eq:qw\])) while dependence on nuclear radius is negligible. To be precise, the dependence of the PNC amplitudes on the nuclear radius can be included with the help of an additional factor $$E1^{\rm PNC}(A_2) = \left(\frac{A_2}{A_1}\right)^{-\frac{Z^2\alpha^2}{3}} E1^{\rm PNC}(A_1). \label{eq:pnca}$$ For cases considered in this work the maximum value of the correction is 0.4% (between $^{223}$Ra and $^{229}$Ra). For other cases the correction is even smaller. This is beyond the accuracy of present calculations. It is convenient to present the total PNC amplitude (including the spin-dependent part) in a form $$E1^{\rm PNC} = P(1 + R\varkappa), \label{eq:PR}$$ where $P$ is the spin-independent part (including weak nuclear charge $Q_W$) and $R$ is the ratio of the spin-dependent to the spin-independent amplitudes. This has two important advantages [@DF11]: (i) extraction of the value of $\varkappa$ from experimental data can lead to no confusion over its sign, (ii) the uncertainty for the value of the ratio of the spin-dependent and spin-independent amplitudes $R$ is usually lower than for each of the amplitudes. This is because the two amplitudes are very similar and numerical uncertainty cancels out in the ratio (see also Ref. [@DF11]). The total PNC amplitudes for different hfs transitions in Ba$^+$, Yb$^+$ and Ra$^+$ are presented in Table \[t:sdpnc\]. The table includes all stable isotopes of Ba and Yb which have non-zero nuclear spin and the most stable isotopes of Ra with non-zero nuclear spin. The results for other isotopes can be obtained by rescaling appropriate PNC amplitude (with required values of $F_1,F_2$ and $I$) using corresponding weak nuclear charges: $$\begin{aligned} &&E1^{\rm PNC}(A_2)_{F_1F_2I} = \label{eq:PRA2} \\ &&P(A_1)_{F_1F_2I}\frac{Q_W(A_2)}{Q_W(A_1)}\left[1 + R(A_1)_{F_1F_2I}\frac{Q_W(A_1)}{Q_W(A_2)}\varkappa\right], \nonumber\end{aligned}$$ where $P(A_1)_{F_1F_2I}$ and $R(A_1)_{F_1F_2I}$ are taken from Table \[t:sdpnc\] and $Q_W(A_1)$ and $Q_W(A_2)$ are calculated using (\[eq:qw\]). We stress ones more that the dependence of the amplitudes on the nuclear radius is much smaller than current theoretical uncertainty. Numerical uncertainties for $P$ and $R$ are presented in parentheses in Table \[t:sdpnc\]. One can see that for some hyperfine transitions the uncertainty for $R$ is very low. Comparing the data in Tables \[t:sdpnc\] and \[t:ssss\] reveals that low uncertainty in $R$ corresponds to the cases when the spin-dependent PNC amplitude is strongly dominated by the sum $S_1+S_4$ while the sum of two other terms ($S_2$ and $S_3$) is small. This is because strong domination of $S_1+S_4$ makes the spin-dependent PNC amplitude to be very similar to the spin-independent one where $S_2 \equiv 0$ and $S_3 \equiv 0$. In this case the rescaling changes both amplitudes at the same rate and the change cancels out in the ratio $R$. The hfs transitions with low uncertainty in $R$ are good candidates for the measurements when the aim is extraction of $\varkappa$. Ion $Q_W$ $I$ $F_1$ $F_2$ ---------------- -------- ----- ------- ------- -------------- ---------- -------------------------- $^{135}$Ba$^+$ -74.11 1.5 0 1 $-0.152(9)$ $\times$ $[1+0.0409(2)\varkappa]$ 1 1 $-0.170(11)$ $\times$ $[1+0.0400(2)\varkappa]$ 1 2 $-0.059(4)$ $\times$ $[1-0.021(2)\varkappa]$ 2 1 $0.132(9)$ $\times$ $[1+0.039(1)\varkappa]$ 2 2 $-0.152(9)$ $\times$ $[1-0.023(1)\varkappa]$ 3 2 $0.152(9)$ $\times$ $[1-0.0245(1)\varkappa]$ $^{137}$Ba$^+$ -76.09 1.5 0 1 $-0.156(10)$ $\times$ $[1+0.0398(2)\varkappa]$ 1 1 $-0.175(11)$ $\times$ $[1+0.0392(3)\varkappa]$ 1 2 $-0.061(4)$ $\times$ $[1-0.021(2)\varkappa]$ 2 1 $0.135(8)$ $\times$ $[1+0.038(1)\varkappa]$ 2 2 $-0.156(10)$ $\times$ $[1-0.022(1)\varkappa]$ 3 2 $0.156(10)$ $\times$ $[1-0.0239(1)\varkappa]$ $^{171}$Yb$^+$ -94.86 0.5 1 0 $~~0.59(19)$ $\times$ $[1+0.030(16)\varkappa]$ 1 1 $-0.29(9)$ $\times$ $[1+0.019(2)\varkappa]$ 2 1 $~~0.51(16)$ $\times$ $[1-0.016(6)\varkappa]$ $^{173}$Yb$^+$ -96.84 2.5 1 2 $-0.41(13)$ $\times$ $[1+0.022(9)\varkappa]$ 2 2 $-0.53(17)$ $\times$ $[1+0.015(8)\varkappa]$ 2 3 $-0.17(6)$ $\times$ $[1+0.009(2)\varkappa]$ 3 2 $~~0.28(9)$ $\times$ $[1+0.005(3)\varkappa]$ 3 3 $-0.48(5)$ $\times$ $[1-0.002(1)\varkappa]$ 4 3 $~~0.37(12)$ $\times$ $[1-0.016(5)\varkappa]$ $^{223}$Ra$^+$ -127.2 1.5 0 1 $-3.04(9)$ $\times$ $[1+0.0252(1)\varkappa]$ 1 1 $-3.40(10)$ $\times$ $[1+0.0233(3)\varkappa]$ 1 2 $-1.18(4)$ $\times$ $[1-0.0053(5)\varkappa]$ 2 1 $2.64(8)$ $\times$ $[1+0.0193(3)\varkappa]$ 2 2 $-3.04(9)$ $\times$ $[1-0.0093(4)\varkappa]$ 3 2 $3.04(9)$ $\times$ $[1-0.0151(1)\varkappa]$ $^{225}$Ra$^+$ -129.2 0.5 1 0 $~~4.37(13)$ $\times$ $[1+0.0389(3)\varkappa]$ 1 1 $-2.19(6)$ $\times$ $[1-0.0033(6)\varkappa]$ 2 1 $~~3.79(11)$ $\times$ $[1-0.0149(1)\varkappa]$ $^{229}$Ra$^+$ -133.1 2.5 1 2 $-3.02(9)$ $\times$ $[1+0.0202(1)\varkappa]$ 2 2 $-3.97(12)$ $\times$ $[1+0.0180(1)\varkappa]$ 2 3 $-1.27(4)$ $\times$ $[1-0.0066(4)\varkappa]$ 3 2 $~~2.12(6)$ $\times$ $[1+0.0146(3)\varkappa]$ 3 3 $-3.56(10)$ $\times$ $[1-0.0100(3)\varkappa]$ 4 3 $~~2.76(8)$ $\times$ $[1-0.0145(1)\varkappa]$ : PNC amplitudes ($z$-components) for the $|5d_{3/2},F_1 \rangle \rightarrow |6s_{1/2},F_2\rangle$ transitions in $^{135}$Ba$^+$, $^{137}$Ba$^+$, $^{171}$Yb$^+$ and $^{173}$Yb$^+$ and $|6d_{3/2},F_1 \rangle \rightarrow |7s_{1/2},F_2\rangle$ transitions in $^{223}$Ra$^+$, $^{225}$Ra$^+$ and $^{229}$Ra$^+$. Units: $10^{-10} iea_0$.[]{data-label="t:sdpnc"} Comparison with other calculations ---------------------------------- Table \[t:pnc\] summarizes present and past calculations of the spin-independent PNC s-d amplitudes in Ba$^+$ and Ra$^+$. We present the results in a form of the coefficients before weak nuclear charge $Q_W$. These coefficients are practically isotope-independent. This is because the isotope-dependence of the PNC amplitudes is strongly dominated by weak nuclear charge while the dependence of the PNC amplitudes on the details of nuclear density is very weak and can be neglected on the present level of accuracy. The technique used in the present work is very similar to the sum-over-states approach of our previous paper [@DFG01]. As expected, the results are very close too. There is also good agreement with Sahoo [*et al*]{} for Ba$^+$ [@Sahoo06] and with Wansbeek [*et al*]{} for Ra$^+$ [@Wansbeek] and with recent calculations by Pal [*et al*]{} [@Pal09] for Ra$^+$. Ion Transition -------- ----------------------- ---------- ------------------ Ba$^+$ $5d_{3/2} - 6s_{1/2}$ 0.29(2) 0.29, 0.304 Yb$^+$ $5d_{3/2} - 6s_{1/2}$ 0.62(20) - Ra$^+$ $6d_{3/2} - 7s_{1/2}$ 3.4(1) 3.3, 3.36,  3.33 : Spin-independent part of the parity-nonconserving s-d amplitudes in Ba$^+$, Yb$^+$ and Ra$^+$. Units: $10^{-12} Q_W iea_0$.[]{data-label="t:pnc"} [cccccdd]{} Ion & Transition & $I$ & $F_1$ & $F_2$ & &\ $^{135}$Ba$^+$ & $6s_{1/2} - 5d_{3/2}$ & 1.5 & 2 & 3 & -1.71 & -1.94\ & & & 1 & 2 & 1.62 & 1.79\ $^{139}$Ba$^+$ & $6s_{1/2} - 5d_{3/2}$ & 3.5 & 3 & 3 & -1.86 & -2.07\ & & & 3 & 2 & 1.86 & 2.11\ $^{225}$Ra$^+$ & $7s_{1/2} - 6d_{3/2}$ & 0.5 & 1 & 2 & -17.8 & -19.8\ $^{223}$Ra$^+$ & $7s_{1/2} - 6d_{3/2}$ & 1.5 & 2 & 3 & -21.1 & -23.5\ & & & 1 & 2 & 16.1 & 20.3\ $^{229}$Ra$^+$ & $7s_{1/2} - 6d_{3/2}$ & 2.5 & 2 & 3 & -3.8 & -6.5\ & & & 2 & 2 & -19.6 & -22.9\ Table \[t:sahoo\] compares our calculated reduced matrix elements of the spin-dependent PNC amplitudes with the results of the recent calculations by Sahoo [*et al*]{} [@Sahoo11]. To make the comparison easy we have multiplied all matrix elements from [@Sahoo11] by 2 and have changed their signs. The former is to take into account different definition of $\varkappa$, the latter is due to the fact that we also have an opposite sign for the spin-independent PNC amplitude compared to what is presented in [@Wansbeek] and [@Sahoo11]. The total sign of an amplitude is not fixed and can be changed arbitrarily. Note however that the relative sign of the SI and SD PNC amplitudes is not arbitrary and the sign can only be changed for both parts of the amplitudes simultaneously. Given that the accuracy of the present calculations is few per cents and similar accuracy should be expected for [@Sahoo11] the results presented in Table \[t:sahoo\] are in a reasonable agreement with each other. Comparison of the data in Table \[t:sahoo\] and Table \[t:ssss\] shows that the difference between our results and those of Sahoo [*et al*]{} is larger for cases when there is strong cancelation between the $S_1, S_2, S_3$ and $S_4$ contributions to the reduced matrix element. For example, the largest difference is for the $F_1=2$ to $F_2=3$ transition in $^{229}$Ra$^+$. The data in Table \[t:ssss\] shows that the final value of the reduced matrix element for this case is just about 40% of the $S_1$ contribution. On the contrary, if the amplitude is dominated by the $S_1$ term the agreement between results of the two works is much better. This should be expected since the $S_1$ term is the most stable in the calculations. Conclusion ========== We present simultaneous calculation of the spin-independent and spin-dependent PNC amplitudes of the s-d transitions in Ba$^+$, Yb$^+$ and Ra$^+$. The results are to be used for accurate interpretation of future measurements in terms of the parameter of the spin-dependent PNC interaction $\varkappa$. Both, sign and value of $\varkappa$ can be determined. Theoretical uncertainty is at the level of 3 to 6% for Ba$^+$ and Ra$^+$ and 30 to 50% for Yb$^+$. Note that the uncertainty for the spin-independent PNC amplitude can be further reduced by including structure radiation and ladder diagrams for more accurate treatment of correlations and by including other small corrections (Breit, QED, etc.). The uncertainty for the relative contribution of the nuclear-spin-dependent part of the PNC amplitude is already small being on the level of 1% in some cases. The ratio of the SD to SI PNC amplitude is to be measured to extract the calue of $\varkappa$. The results of the PNC calculations for Yb$^+$ are presented for the first time. The authors are grateful to M. G. Kozlov and S. G. Porsev for useful discussions. The work was supported in part by the Australian Research Council. [99]{} I. B. Khriplovich, [*Parity Nonconservation in Atomic Phenomena*]{} (Gordon and Breach, New York, 1991). C. S. Wood, S. C. Bennett, D. Cho, B. P. Masterson, J. L. Roberst, C. E. Tanner, C. E. Wieman, Science [**275**]{}, 1759 (1997). A. Derevianko, Phys. Rev. Lett. [**85**]{}, 1618 (2000); V. A. Dzuba, C. Harabati, W. R. Johnson, and M. S. Safronova, Phys. Rev. A [**63**]{}, 044103 (2001); M.G. Kozlov, S.G. Porsev, and I.I. Tupitsyn, Phys. Rev. Lett. [**86**]{}, 3260 (2001); V. A. Dzuba, V. V. Flambaum, M. S. Safronova, Phys. Rev. A, **73** 022112 (2006). A. I. Milstein and O. P. Sushkov, Phys. Rev. A [**66**]{}, 022108 (2002); W. R. Johnson, I. Bednyakov, and G. Soff, Phys. Rev. Lett. [**87**]{}, 233001 (2001); Phys. Rev. Lett. [**88**]{}, 079903(E) (2002); M. Yu. Kuchiev and V. V. Flambaum, Phys. Rev. Lett. [**89**]{}, 283002 (2002); A. I. Milstein, O. P. Sushkov, and I. S. Terekhov, Phys. Rev. Lett. [**89**]{}, 283003 (2002); M. Yu. Kuchiev, J. Phys. B [**35**]{}, 4101 (2002); A. I. Milstein, O. P. Sushkov, and I.S. Terekhov, Phys. Rev. A [**67**]{}, 062103 (2003); J. Sapirstein, K. Pachucki, A. Veitia, and K. T. Cheng, Phys. Rev. A [**67**]{}, 052110 (2003); M.Yu. Kuchiev and V. V. Flambaum, J. Phys. B [**36**]{}, R191 (2003); V. M. Shabaev, K. Pachucki, I. I. Tupitsyn, and V. A. Yerokhin, Phys. Rev. Lett. [**94**]{}, 213002 (2005); V. V. Flambaum and J. S. M Ginges, Phys. Rev. A [**72**]{}, 052115 (2005). V. A. Dzuba, V. V. Flambaum, and J. S. M. Ginges, Phys. Rev. D [**66**]{}, 076013 (2002); S. G. Porsev, K. Beloy, and A. Derevianko, Phys. Rev. Lett. [**102**]{}, 181601 (2009); S. G. Porsev, K. Beloy, and A. Derevianko, Phys. Rev. D [**82**]{}, 036008 (2010). J. S. M. Ginges and V. V. Flambaum, Phys. Rep. [**397**]{}, 63 (2004). V.V. Flambaum, I.B. Khriplovich. Zh. Exp. Teor. Fiz [**79**]{}, 1656 (1980)\[Sov.Phys. JETP [**52**]{} 835 (1980)\]. V.V. Flambaum, I.B. Khriplovich, O.P. Sushkov. Phys. Lett. B [**146**]{}, 367 (1984). V. A. Dzuba, V. V. Flambaum, and I.B. Khriplovich, Z. Phys. D [**1**]{}, 243 (1986). V. A. Dzuba and V. V. Flambaum, arXiv:1009.4960 (2010). E. N. Fortson, Y. Pang, and L. Wilets, Phys. Rev. Lett. [**65**]{}, 2857 (1990). A. Derevianko and S. G. Porsev, Phys. Rev. A [**65**]{}, 052115 (2002). B. A. Brown, A. Derevianko, and V. V. Flambaum, Phys. Rev. C [**79**]{}, 035501 (2009). V. A. Dzuba, V. V. Flambaum, J. S. M. Ginges, Phys. Rev. A, [**63**]{}, 062101 (2001). N. Fortson, Phys. Rev. Lett. [**70**]{}, 2383 (1993). J. A. Sherman, T. W. Koerber, A. Markhotok, W. Nagourney, and E. N. Fortson, Phys. Rev. Lett. [**94**]{}, 243001 (2005). J. A. Sherman, A. Andalkar, W. Nagourney, and E. N. Fortson, Phys. Rev. A [**78**]{}, 052514 (2008). B. K. Sahoo, R. K. Chaudhuri, B. P. Das, and D. Mukherjee, Phys. Rev. Lett. [**96**]{}, 163003 (2006). L. W. Wansbeek [*et al*]{}, Phys. Rev. A [**78**]{}, 050501(R) (2008). O. O. Versolato [*et al*]{}, Phys. Rev. A [**82**]{}, 010501(R) (2010). J. Torgerson, private communication (2010). K. Tsigutkin, D. Dounas-Frazer, A. Family, J. E. Stalnaker, V. V. Yashchuk, and D. Budker, Phys. Rev. Lett. [**103**]{}, 071601 (2009); Phys. Rev. A [**81**]{}, 032114 (2010). R. Pal, D. Jiang, M. S. Safronova, and U. I. Safronova, Phys. Rev. A [**79**]{}, 062505 (2009). B. K. Sahoo, P. Mandal, and M. Mukherjee, Phys. Rev. A, [**83**]{}, 030502(R) (2011). V. V. Flambaum, I. B. Khriplovich, ZhETP [**89**]{}, 1505 (1985) (Soviet Phys. JETP [**62**]{}, 872 (1985)). V. N. Novikov, O. P. Sushkov, V. V. Flambaum, I. B. Khriplovich, ZhETP [**73**]{}, 802 (1977) (Soviet Phys. JETP [**46**]{}, 420 (1977)). K. Nakamura [*et al.*]{} (Particle Data Group), J. Phys. G [**37**]{}, 075021 (2010). S. G. Porsev and M. G. Kozlov, Phys. Rev. A [**64**]{}, 064101 (2001). W. R. Johnson, M. S. Safronova, and U. I. Safronova, Phys. Rev. A [**67**]{}, 062106 (2003). V. A. Dzuba, V. V. Flambaum, P. G. Silvestrov, O. P. Sushkov, J. Phys. B: [**20**]{}, 1399-1412 (1987). V. A. Dzuba, V. V. Flambaum, O. P. Sushkov, Phys. Lett A., [**140**]{}, 493-497 (1989). V. A. Dzuba, V. V. Flambaum, O. P. Sushkov, Phys. Lett. A, [**141**]{}, 147-153 (1989). V. A. Dzuba, V. V. Flambaum, A. Ya. Kraftmakher, O. P. Sushkov, Phys. Lett. A, [**142**]{}, 373-377 (1989). V. A. Dzuba, Phys. Rev. A [**78**]{}, 042502 (2008). W. R. Johnson, and J. Sapirstein, Phys. Rev. Lett. [**57**]{}, 1126 (1986). V. A. Dzuba, V. V. Flambaum, O. P. Sushkov, J. Phys. B: [**17**]{}, 1953-1968 (1984). http://physics.nist.gov/PhysRefData/Handbook/\ Tables/bariumtable6.htm\ http://physics.nist.gov/PhysRefData/Handbook/\ Tables/ytterbiumtable6.htm\ http://physics.nist.gov/PhysRefData/Handbook/\ Tables/radiumtable6.htm M. Davidson, L. Snoek, H. Volten, and A. Doenszelmann, Astron. Astrphys., [**255**]{}, 457 (1992). S. Olmschenk, K. C. Younge, D. L. Moehring, D. N. Matsukevich, P. Maunz, and C. Monroe, Phys. Rev. A [**76**]{}, 052314 (2007). S. Olmschenk, D. Hayes, D. N. Matsukevich, P. Maunz, D. L. Moehring, K. C. Younge, and C. Monroe, Phys. Rev. A [**80**]{}, 022502 (2009). E. H. Pinnington, G. Rieger, and J. A. Kernahan, Phys. Rev. A [**56**]{}, 2421 (1997). U. I. Safronova and M. S. Safronova, Phys. Rev. A [**79**]{}, 022512 (2009). K. Wendt, S. A. Ahmad, F. Buchnger, A. C. Mueller, R. Neugart, and E. W. Otten, Z. Phys. A [**318**]{}, 125 (1984). P. Villemoes, A. Amesen, F. Heijkenskjold, and A. Wannstrom, J. Phys. B [**26**]{}, 4289 (1993). R. E. Silverans, G. Borghs, P. De Bisschop, and M. Van Hove, Phys. Rev. A [**33**]{}, 2117 (1986). A.-M. M[å]{}rtensson-Pendrill, D. S. Gough, and P. Hannaford, Phys. Rev. A [**49**]{}, 3351 (1994). R. W. Berends and L. Maleki, J. Opt. Soc. Am. B [ **9**]{}, 332 (1992). D. Engelke and C. Tamm, Europhys. Lett. 33, 347 (1996). K. Wendt, S. A. Ahmad, W. Klempt, R. Neugart, E. W. Otten, and H. H. Sroke, Z. Phys. D [**4**]{}, 227 (1987). W. Neu, R. Neugart, E.-W. Otten, G. Passler, K. Wendt, B. Fricke, E. Arnold, H. J. Kluge, and G. Ulm, Z. Phys. D [**11**]{}, 105 (1989). E. Arnold [*et al*]{}, Phys. Rev. Lett. [**59**]{}, 771 (1987). K.-Z. Yu, Phys. Rev. A [**79**]{}, 042501 (2009). V. A. Dzuba and V. V. Flambaum, Phys. Rev. A, [**77**]{}, 012514 (2008). V. A. Dzuba and V. V. Flambaum, Phys. Rev. A, [**77**]{}, 012515 (2008). V. A. Dzuba and V. V. Flambaum, arXiv:1102.5145 (2011).
null
minipile
NaturalLanguage
mit
null
Israel orders Bedouins to leave West Bank area  Members of a delegation of mostly French and Egyptian pro-Palestinian activists flash the V-sign as they protest against Israel during their visit in support of Palestinian farmers, east of Gaza city, on Monday. (AFP) LATEST STORIES IN MIDDLE-EAST JERICHO, Palestinian Territories: Around 500 Bedouin Palestinians were temporarily evacuated from their homes in the Jordan Valley yesterday as the Israeli army carried out exercises, residents and the army said. An AFP photographer at the scene saw dozens of people being evacuated in the Wadi Al-Maleh area in the north of the Jordan Valley in the West Bank. “These exercises have driven away more than 400 people, women, children and elderly people, and could have taken place elsewhere,” Aref Daraghmeh, a municipal official, told AFP. He said 75 families had received evacuation orders last week, ahead of the 24-hour exercise. The Palestinian governor of the region, Majid Al-Fitiani, criticized the evacuation, saying “even an expulsion of 24 hours is unacceptable.” The Israeli military acknowledged issuing 24-hour evacuation orders in a statement sent to AFP, noting that the homes residents were asked to leave had been constructed illegally, but pledging they would be allowed to return to them. “Due to a military exercise... and in order to ensure the safety of the local inhabitants, temporary eviction notices were distributed today to the residents of the illegal structures located in a closed military zone,” the army said. “At the conclusion of the exercise, the residents will be permitted to return,” the statement continued, emphasizing that Israel considers the homes in question “illegal in nature.” A similar temporary evacuation was carried out in the same region last year while Israeli forces carried out military exercises. The area falls into the 60 percent of the West Bank classed as Area C, which is under full Israeli administrative and security control. Residents of the area are required to obtain Israeli building permits or face home demolitions. Palestinians and rights activists say the permits are almost impossible to come by, so residents often build without them, leaving them open to Israeli demolitions. Of the 60,000 Palestinians living in the Jordan River valley, “some 3,400 people reside partially or fully in closed military zones and face a high risk of forced eviction,” according to the UN’s Office for the Coordination of Humanitarian Affairs.
null
minipile
NaturalLanguage
mit
null
Atlanta — With dogwoods blooming, pansies smiling and days of cold rain and gray giving way to sun, warmth and blue skies, the Final Four kicked into full gear Friday. Final Four 2013: The Fans SpeakSyracuse Orange basketball fans give their thoughts on the team and Atlanta, Georgia. The Orange play Michigan in the Final Four semi-final Saturday. Thousands of Syracuse University basketball fans flooded into town and thousands of them showed up at the Georgia Dome Friday for the team’s open practice at 2 p.m. When the practice ended and the players all waved from the court to the adoring masses in the stands, Syracuse fans cheered, then waved goodbye and flooded outside into a stunning spring afternoon. Syracuse fans were easily identifiable throughout Downtown Atlanta. They glowed in their Orange shirts and hats under the brilliant sun. Four Orange fans inside Centennial Park said they were pegged even without the Orange shirts. The giveaway, they said, was their shorts on an afternoon when temperatures reached into the mid-60s. Across from Philips Arena and the CNN Center, Syracuse basketball fans commandeered the Hudson Grille, a chain of local sports bars that had been identified by the SU Alumni Club of Atlanta as its tournament headquarters. Dozens of outdoor tables were packed with Syracuse fans including parents of Orange players and their families. They sipped beer, ate burgers and toasted the Orange, all within the shadows of a huge outdoor advertisement for television host Conan O’Brien, who warns Atlanta that he’s “Come for your housewives.” At Centennial Olympic Park just across the street, thousands gathered to watch the Zac Brown Band in a free evening concert. The park included dozens of food and beverage stands, outdoor bars, a Ferris wheel, two stages for live music, banks of porta potties, green grass, flowers, blooming dogwoods and Final Four revelers from each of the participants. Even CBS Sports set up an outdoor set for Final Four discussion. Hundreds of Syracuse fans continued to pour into the park later in the afternoon, streaming down side streets for the concert. They passed multiple stands selling Final Four T-shirts at $25 a pop. Dozens of fans stood piled up on one corner, waiting for the light to change and a traffic officer to let them pass. When the officer finally let the impatient group go, they shouted, “Go Cuse” and gave fist-bumps to the officer as they crossed. Dan Connors (left) of Herkimer and brother Joe Connors of Auburn check out Centennial Olympic Park in Atlanta after arriving from Syracuse for the Final Four.Donnie Webb | [email protected] Dan Connors, of Herkimer and his brother, Joe Connors, of Auburn, arrived Thursday after riding a charter flight from Syracuse. Both stood outside the concert stage in T-shirts. Dan Connors wore a bright Orange T-shirt with Cuse on the front. He said he was breaking out the shorts for Saturday. “Winter’s been dragging on,” said Joe Connors. “It’s a nice flash forward to spring, really,” said Dan Connors. “It’s nice to see spring, for one, and see SU playing well. Hopefully they show up (Saturday). That’s the big thing.
null
minipile
NaturalLanguage
mit
null
The 2-star pleasant budget Hostal Barcelona is situated in Barcelona’s city-centre, 15 minutes' walk from Las Ramblas and Plaça Espanya. Montjuïc is a 5-minute walk from the guest house, and the Old Harbour can be reached in 20 minutes on foot. The hostal offers 57 guestrooms with air conditioning, international TV channels and free Wi-Fi access. A luggage storage service is also available. Every morning buffet breakfast is served at Hostal Barcelona. This comfortable accommodation is suitable for business or leisure travellers.
null
minipile
NaturalLanguage
mit
null
Rock Creek Road CA, USA Highest paved road in California.. Explore this Climb Featured Video Route Profile Prepare for your journey by reviewing the gradient profile. Find out which part of the climb will be most challenging. Virtual Ride TEST THIS RIDE Prepare for your journey with our interactive map below. Explore the route with streetviews, photos,videos, weather reports as well as browse other routes in the area. LOCAL WEATHER Start Finish Climb Summary Main Summary Well, this one has to be on the bucket list. It is one of nine Top 100 U.S. climbs located in the Bishop area, and is said to be the highest paved accessible road in California. The bottom portion of the ride takes us through the northern Owens Valley with great views of the steep and dramatic Eastern Sierra Nevada range to our left for the first five miles of this 20 mile journey. Beware that the temperatures during the summer can be stifling. Rock Creek Road is as bike friendly as it gets. More bike signs and road markers here than we have seen on any road. Climb start - Lower Rock Creek Road This ride is really two climbs linked together -- the lower portion (Lower Rock Creek Rd) has an average grade of 4.3% over a 9.2 mile stretch (to Hwy 395). Lower Rock Creek Road for 9.2 miles. We are then on busy Hwy 395, though with a very wide bike lane, for about one mile, then we turn west onto Rock Creek Road and climb 10.5 miles at 5.7% average grade to the end of the line. On Hwy 395 for 1 miles. The last 9.2 miles are in an alpine setting with views of the majestic Eastern Sierras as we climb. The Rock Creek Resort Grill and Cafe is located at mile 18.8. The scenery is spectacular along the second portion of the climb which, even without the first 10 miles, would be a Top 100 climb on its own. The roadway from Tom's Place to Mosquito Flat (the end of the road) is pristine -- one of the top five roads in the U.S. Top 100, right up there with Whiteface Mountain in New York. There are over 40 Share The Road signs and painted roadway cyclist images over this section -- the highest concentration we’ve ever encountered. Turn onto Rock Creek Road at mile 10.2 Several Campgrounds along the way. In Inyo National Forest most of the climb. Rock Creek Lake on our left 1 ½ miles from the finish. Finish at Mosquito Flats - the highest paved road in California. Hike Continue on with a hike “Mono Pass from Mosquito Flat Trailhead is a 8.7 mile moderately trafficked out and back trail located near Bishop , California that features a lake and is rated as moderate. The trail is primarily used for hiking, walking, nature trips, and birding and is best used from March until October.” All Trails When to climb Rock Creek Road by bike: The average high temperatures for the summer time frame are 92 June, 98 July and 96 August. We suggest May or September as you could encounter snow during the months just before or after as the finish of this climb tops out just over 10,000’’. How to climb Rock Creek Road by bike: Train will for this climb because, not only is it very challenging (20.7 miles/5,983’/5.1%) it is the highest road in California. Altitude will likely have an effect on this climb, so if you can ride a few of the lower rides along the 395 corridor (e.g. Mt. Rose, Monitor Pass East, Sonora Pass East, Tioga Pass from north or Onion Valley, Whitney Portal, Nine Mile Canyon from the south), this would prove helpful. Be sure to avoid July and August if possible. There are campgrounds and a cafe along the way, so you will likely have opportunities for water and food - thus, no need to pack it all from the start. Climb begins at the intersection of Lower Rock Creek and Boundary Roads (3.7 miles north of the intersection of Pine Creek and Lower Rock Creek Roads (Latitude: 37.46332, Longitude: -118.59316). We stay in Bishop, California a few miles south of the climb start at the Creekside Inn, next to Erick Schat’s Bakery for this ride. There is fantastic hiking, fishing, lake activity, and scenery along Upper Rock Creek Road -- all around this is a wonderful and must-experience area -- we LOVE IT. During our 2016 trip, we camped at East Fork Campground and had a blast. There are grills/stores at Rock Creek Resort and Tom's Place, as well as pay showers at Rock Creek Resort. Traffic and Roadway report: The roadway surface throughout the first portion of the ride is excellent. The ride has one mile on busy Hwy 395, but there is a nice wide bike lane the length of this segment. The roadway leading up to the top of the climb is as pristine as you will ever encounter, and as a bonus, there is actually a bike lane the entire length of this lightly traveled road -- it is just perfect! Loading Document | Cycling Rock Creek Road - cannot climb by bike any higher in California. Other Top 100 US climbs within 50 miles of this climb are %RIA50. Access these other climbs by clicking "Routes in Area" on the climb card above right. Exit Map Follow us on: All material copyright protected - may not be used for commercial purposes without permission of PJAMM Cycling.
null
minipile
NaturalLanguage
mit
null
back back way back i used to front like angkor wat mechanicsburg, anchorage, and dar e salaam while home in new york was champagne and disco tapes from l.a. slash san francisco but actually oakland and not alameda your girl was in berkely with her communist reader mine was entombed within boombox and walkman i was a h**rder but girl that was back then the gloves are off the wisdom teeth are out what you on about? i feel it in my bones i feel it in my bonesss i’m stronger now i’m ready for the house. such a modest mouse i can’t do it alone i can’t do it aloneee every time i see you in the world you always step to my girl ancestors told me that their girl was better she’s richer than croesus she’s tougher than leather i just ignored all the tales of a past life stale conversation deserves but a bread knife and punks who would laugh when they saw us together well they didn’t know how to dress for the weather i can still see them there huddled on astor snow falling slow to the sound of the master the gloves are off the wisdom teeth are out what you on about? i feel it in my bones i feel it in my bonesss i’m stronger now i’m ready for the house. such a modest mouse i can’t do it alone i can’t do it aloneee wisdom’s a gift but you’d trade it for youth age is an honor it’s still not the truth we saw the stars when they hid from the world you cursed the sun when it stepped to your girl maybe she’s gone and i can’t resurrect her the truth is she doesn’t need me to protect her we know the true death the true way of our flesh everyone’s dying but girl you’re not old yet the gloves are off the wisdom teeth are out what you on about? i feel it in my bones i feel it in my bonesss i’m stronger now i’m ready for the house. such a modest mouse i can’t do it alone i can’t do it aloneee the gloves are off the wisdom teeth are out what you on about? i feel it in my bones i feel it in my bonesss i’m stronger now i’m ready for the house. such a modest mouse i can’t do it alone i can’t do it aloneee
null
minipile
NaturalLanguage
mit
null
Q: Tips for a novice backpacker I would like to get into backpacking and make 2-3 day backpacking trips in moderate climatic conditions in mountainous terrains (mid-Atlantic U.S. or Central Europe, spring-fall). I am looking for suggestions as to what gear I should acquire, e.g. backpack, tent, sleepware, cookware etc. I am an experienced and avid outdoorsman (mostly whitewater kayaker) and I camp regularly but out of my truck, which provides for a lot of comfort. I am aware that backpacking is quite different. I am looking for general guidelines. A: Hooray! Welcome to the wonderful world of backpacking! This post is LONG, so I've made a summary list to get you started, and what follows below is a probably way too comprehensive explanation of the items. Sorry for the tl;dr! Summary: Backpack (with detachable day pack or separate, if needed) Tent (or hammock, bivy, etc.) Stakes and guylines Tarp/tent footprint Tent repair kit Sleeping mat Pillow or rolled-up clothes Sleeping bag with compression sack Pot/pan/kettle Lighter with fluid/striker Contained fuel and stove Stirring/serving utensil Bowl/plate Eating utensil Mug/cup Biodegradable dish soap Water bottles Water bladder Water purification system Food (breakfasts, lunches, snacks, and dinners -- plus a bit extra) Trash bag Food bag Rope Bear supplies (spray, canister, bell), if needed Trowel Toilet paper Headlamp/lantern/flashlight with extra batteries Clothes (shirts, pants, hat, underwear, socks, jacket, hiking boots) Compass and map Whistle First aid kit and emergency blanket Sunscreen Bug spray Sunglasses Multitool or knife Camera and/or phone Camp Towel Detailed version: Backpack There are two basic types: external frame and internal frame. Externals are not as in vogue these days, although they manage awkward loads better, always maintain their shape and provide better air ventilation. Internal frames are easier to find and are reasonably adjustable. All backpacks come in a variety of sizes (measured by liters), so you'll want to select one that fits your needs. For the length of trip you're talking about, you'll probably want to stick with one that's 50-60 liters. If you have an REI or another outdoor goods store nearby, take an afternoon to hang out with the sales representative and try on lots and lots of packs. They're a bit like shoes--even though they all work, not all of them are comfortable, especially when you fill them with sandbags and walk around the store for a few minutes. Don't be shy about letting the sales person fit the bag to your frame and show you how to adjust it, yourself. The last thing you want on a multi-day trip is a bag that pinches your collarbone or rubs your lower back. You may want to get a pack with a detachable daypack, or bring a separate daypack if you are staying at the same site for at least two consecutive nights. This way you wont' have to bring your entire pack with you. You can avoid the cost of a backpack cover by using your tent's tarp or rain fly. It's ill-fitting, but you've already bought it. Tent There are more options here than you can imagine, but what's most important is that your tent fits the number of people you're looking to travel with and that it's in good shape. Before you buy, you may want to poke around inside a tent if the store will let you. You'll quickly discover that, even though tents come in sizes of 2-person, 3-person, 4-person, etc., "people" are evidently pretty small. I'm 5'4," and a 2-person tent fits me and my stuff comfortably, but when my husband and I use it together (and we're both average-sized people), our little dog has to sleep on our legs because there's no floor space left. Even though it adds weight, my personal preference is to go up one size from the number of people who will be sleeping in it. The other thing to look out for is how many seasons the tent is. Generally a 3-season should be just fine for the spring-fall range you're looking at (this means everything but cold winters; down in southeast Texas where I live, I can use my 3-season tent year-round). If I'm sharing the tent with anyone, I tend to go for models with at least two doors (it's never fun crawling over a sleeping friend in the middle of the night if you have to go to the bathroom), adequate ventilation (good for airflow, reducing condensation, and stargazing!), and a rain fly (in case, you know, it rains). Important accessories include stakes and guylines so your tent doesn't move around or blow away, a tarp so the tent's floor is protected, and a tent repair kit in case you break a pole. Manufactures will try to sell you a tent footprint, but they're basically just pricey tarps. A tent is not absolutely necessary. You may be fine with just a hammock and a tarp (and you might want a mosquito net depending on the creepy crawlies in your area), or you might even want to sleep under the stars. There are also one-person tents and bivouacs if you're going solo (which I wouldn't recommend your first time backpacking just for safety's sake). A slightly off-topic bit of advice: always set up your tent in your back yard or living room before you take it camping for the first time so you know how to do it and ensure it's intact. It's never fun setting up a tent for the first time in the dark or pouring rain. Always pitch it in as level and rock-free a spot as possible, and if there's a slight incline, point your feet downward. Sleeping Pad and Pillow You can find some very nice, pricey sleeping pads at sporting goods stores. I bought a $5 foam roll-up mat from Walmart and have been using it for over a decade. You can also find a variety of pillows, including blow-up and miniature versions of what you find on your bed at home. If you're really trying to save on weight, you can skip this and just use some rolled up clothes inside a pillowcase. It's definitely not as comfy, but it just depends on your priorities. Sleeping Bag These are rated to different degrees, which basically tell you how cold the temperature can get and the bag still keep you safe (not necessarily warm). You can get the rectangular variety you probably used for sleepovers as a kid, or a mummy bag, which is great for keeping you warm. Again, down here in Texas, I have friends who just use a sheet or a simple sleeping bag liner and skip the sleeping bag altogether. If you use a sleeping bag you'll probably want a compression sack, and I suggest a waterproof one. There's nothing more miserable than a cold, wet sleeping bag. Cooking Supplies At the very least, you're looking at needing a pot or pan. If you live in an area where you can have open fire, bring some tinder and a lighter with fluid or fire striker, but you don't necessarily need more than that depending on the food you've brought. If you can't or don't want to cook over a fire, I recommend using a camp stove that burns contained fuel like propane or isobutane. You'll need to get the fuel type appropriate for your camp stove. Bring adequate fuel to get you through your trip (one container should be plenty assuming you don't have a huge camping party), a lighter/striker, and a pot or pan. You may also want a stirring/serving utensil. You may also want to bring a kettle or a pot with a lid to boil water, which is often added to camp food. You'll want a plate or bowl for every person as well as an eating utensil. I rather like titanium utensils, as they're lightweight and sturdy. You may want to just drink water, but if you want coffee, tea, or another drink, you'll want to bring a mug/cup. Bring a bottle of biodegradable dish soap. It doubles for your body, as well. Water Supplies You definitely need several water bottles, and possibly also a water bladder. These things generally hold 2-3 liters of water, and they're total lifesavers, as they let you drink without having to stop walking. I can usually go through nearly a full 3-liter bladder in a long day hike, although I probably drink more than the average person. I also like to have at least one water bottle on hand so I'm not dragging my water bladder around the campfire or to dinner. So--moral of the story is bring enough containers to hold a full day's water supply. Assume at LEAST a gallon a person a day. If you're somewhere where there is plenty of water, bring either tablets, a pump or some other kind of purification system. Do not drink water without purifying it first, period. If you're not somewhere where there is plenty of water, sorry but you'll have to carry it all in. The good news is the trip gets lighter as you go. Food It's essential that you plan out your meals ahead of time. Know exactly what you're having for breakfast, lunch, snack, and dinner every day, and make sure that you have the "extras" you might not think about, like water or spices. It's always best practice to bring at least one extra meal just in case. If you're going for low weight, you'll want to use dehydrated or just-add-water foods, as water content in food adds a lot of weight. Bags and Food Safety You'll need a trash bag for food and other waste you may produce. Always abide by leave no trace policies and pack out everything you take in with you. You'll also need a bag to put food and other smelly items (like toothpaste) in at night, along with rope to suspend it from a tree. This will keep animals out of your food and trash while you sleep. Make sure you read guidelines on how to hang your bag, depending on the wildlife in your area. If you're in bear country, you'll need a bear canister, which is heavier-duty than a bag. You'll also want to bring bear spray with you and may also want to consider wearing a bear bell to warn animals you're coming. Trowel and Toilet Paper Bring a trowel for when you have to do #2. They make all kinds of special, lightweight, folding, and otherwise backpacking-appropriate shovels that do the job. Some hardcore folks go without toilet paper, but I don't feel like it adds enough weight to be worth the sacrifice. Just bring enough squares in a little sandwich-sized ziploc. Map and Compass These are no-brainers! Bring them! Whistle Good for calling for help, don't go on the trail without some way to get attention if you need it. Flashlight, Headlamp, and/or Lantern with Extra Batteries You'll need a source of light at nighttime. If you're going for minimalism, I'd recommend just bringing a headlamp, and going for one that has a red light option so it doesn't ruin your night vision. Whatever you bring, bring one set of extra batteries! Clothes How much is up to you, but I usually bring fresh underwear for each day. Even though they're not exactly the height of fashion, I enjoy zip-off pants so I can change them into shorts if I get hot, and camping shirts tops with a collar and long sleeves that I can roll up. You can get all kinds of fancy sun- and bug- avoiding add-ons with these. Depending on the time of year you go, you may also need a jacket. Bring a hat. Whether it's cold or hot, sunny or rainy, it's never a bad idea to have this, or at least a bandana. You'll definitely want thick socks that protect your feet from rubbing. I like woolen socks because they wick moisture. Bring your best hiking boots. You'll feel soreness in your feet more than you will after hiking all day because of the extra weight on your back. I generally don't bring any extra clothes to sleep in, but you may want to bring an extra t-shirt or whatever is comfortable. Toiletries What you bring is up to you. A lot of what are usually the "basics" for me go by the wayside here, but I always bring at least a toothbrush, toothpaste, and deodorant. I keep a more comprehensive set of toiletries along with a change of clothes in the car for when I get back to it. :) First Aid Kit and Emergency Blanket Just in case something goes awry, make sure you have the supplies you'll need. The basics change depending on where you are (like a snake venom kit), but you'll at least want some bandages, antiseptic, and painkiller. Sunscreen and Bug Spray Keep yourself safe from sunburn and nasty bug bites. Be green with these products if possible. Sunglasses Go for a polarized, UV-protectant variety. Multitool or Knife I'm probably an odd one, because I've been backpacking and camping more times than I can remember and I've hardly ever needed my knife, but I always bring it just in case. It's an indispensable tool. Camera/Phone If it's your first backpacking experience, document it so you can remember it fondly later! I suggest bringing a plastic bag so your device stays dry--just in case! Camp Towel I'd recommend getting at least a small camp towel for drying off after a swim, washing hands, or washing dishes. They're very absorbent, even though they're thin. Note: good equipment purchased new can get very expensive, so don't be afraid to check out Craigslist or go to REI garage sales--or to borrow from friends. This is how I figured out which camping stove I DIDN'T want: I used a friend's, and it didn't work! Also, if you do purchase from REI, know that if you're not satisfied with your product, you can return it at any time, even after using it, for a refund and no questions asked. Sorry to hype REI so much, but they really do have excellent customer service despite their not-so-rock-bottom prices. A: Backpackers all end up evolving their own styles. Personally, I prefer an ultralight style for summer. Some things that differ in this style from the heavier style most people practice: a frameless pack such as a Gossamer Gear G4 very small, lightweight sleeping pad such as the one that comes with the G4 a tarp rather than a tent (I get mine from Oware, shop.bivysack.com) running shoes rather than boots water usually not carried on my back; if I do carry water, it's in lightweight water bottles such as the kind you buy bottled water in stuff like soap carried in extremely small quantities like 1/2 oz By the way, there is typically no need to purify water collected from natural sources in the wilderness; see this answer. Besides not having to shlep a huge amount of weight on your back, an added advantage of the ultralight style is that it's cheaper. Items 1-3 are all significantly less money than the corresponding non-ultralight versions. A tarp does take more practice than a tent to learn to set up; in the Sierra in summer, I usually don't even bother putting up the tarp unless it looks like it might rain. A lot of people seem to use a tent solely because of bugs. When there are mosquitoes, I sleep with a mosquito headnet in the early evening, until it cools down enough that the bugs have become inactive. I often go no-cook, which saves quite a bit of weight. If you do want to bring a stove, the lightest type (when you count both the stove and the fuel) is an alcohol-burning stove. There is a style of cooking where you boil your water in a pot and then pour it into a ziplock freezer bag that has your food in it (e.g., instant ramen, instant couscous). This style of freezer-bag cooking saves a huge amount of weight, since you don't need to bring one bowl per person, just the single pot for boiling water. It also has the advantage that you don't need to wash dishes; washing dishes is time-consuming and environmentally bad. Also, the scientific evidence seems to show that backpacker's diarrhea is mostly caused by bad potty hygiene, which causes hand-to-mouth contamination with your hiking partner's gut flora, which your own body doesn't tolerate; the freezer-bag style reduces the chances of this kind of problem. There are recipe books for freezer-bag cooking, such as Conners, Lipsmackin' Vegetarian Backpackin'. Trekking poles are useless extra weight; see this question. Using running shoes rather than boots works best in dry weather, such as in California in the summer. The big win is that, compared to wearing boots, it reduces the amount of weight you lift with each step, which is much more fatiguing than carrying the same amount of weight on your back. To keep pebbles out of your shoes, you can get lightweight gaiters such as the ones sold by dirtygirlgaiters.com. (I use them for trail running too.) When you have a wet stream crossing, you can either go barefoot or, if you need more traction or are worried about injuring your feet, remove your socks and the shoes' inserts. Unlike boots, running shoes can be squeezed out pretty well after you cross. The web site backpackinglight.com has a good forum where you can discuss ultralight backpacking.
null
minipile
NaturalLanguage
mit
null
Q: Complex MySql Query in PHP I have these tables: exams (medical exams) users institutions (medical institutions) users_institutions (join table) log (here i'm keeping date and time of Login, Logout, Downloads Files) Users belongs to one or more institution, exams belong only to one institution. So, users can search into exam table only for exams that belong to their institution. The query that i use to get this is the following: SELECT * FROM exams, institutions, users_institutions WHERE institutions.institution_pk = users_institutions.institution_fk AND exams.institution_fk = institution.institution_pk AND users.users_pk = {$user_id} This code works fine. My problem is this: When a user download a PDF file from an exam I save date, time, user ID, exam ID, log type (1 for download, 2 for Login and 3 for Logout). I need a SQL Query to do a search of all exams that have not been downloaded yet and belong to their institutions for a particular user. This means that if a have 10 users in a institution I need that every user have their own result set. Thanks! (Sorry for my poor english) A: Pro tip: Never use SELECT * in software. Instead enumerate the columns you need in your result set. For one thing, it makes the server faster. For another thing, it makes it easier for the next person to understand your query's purpose. Pro tip: Don't use the old-timey comma-separated table list for joins. Use joins. Pro tip: Don't get hung up thinking this is complex. It's actually pretty straightforward. Pro tip: try to use the same column names for the same kind of value in each table. In other words call the user's id user_id in all the tables where it's mentioned. Don't call it user_fk or something else. I think you want a query like this: SELECT u.users_pk, i.institution_pk, exams.id, whatever, whatever FROM users AS u JOIN user_institutions AS ui ON u.users_pk = ui.user_fk JOIN institutions AS i ON us.institution_fk = i.institution_pk JOIN exams AS e ON e.institution_fk = i.institution_pk LEFT JOIN log AS l ON u.users_pk = l.users_fk AND e.exam_pk = l.exam_pk AND l.logtype = 1 WHERE l.exam_pk IS NULL You're joining all this stuff together to get one row for each user / institution / exam / download log item. Then you're using l.exam_pk IS NULL to pull out the not-yet-downloaded exams (the LEFT JOIN will fail and place a NULL in that column when there's no downloaded log entry). If you need the result set for just one user, append AND u.users_pk = something to this query. This isn't debugged. You'll probably get a bunch of 1064 errors as you fiddle around getting this to work. I don't think SO will be able to help you with those.
null
minipile
NaturalLanguage
mit
null
Hello everybody and welcome back to the West Coast The first episode since the Haloween special And yeah we did quite a bit in the Haloween special We've done Well we've got two new greenhouses Just in there as you can see Both of which have pumpkins in them This has really inspired me to expand the amount of greenhouses we have And Also the different types of food Or vegetables or whatever We actually have in each greenhouse themselves So We can have Obviously the common tomato Although I do love tomatoes And we can also have the cauliflowers the red cabbage the melons that kind of thing So there's fruits different vegetables you can actually have in these greenhouses and I really do think We should explore every single one of them I think every single one has the same requirements so you just have the manure and the water So it's not like there's anything really too different it's just you are producing a different crop Which makes it much more interesting It's not something we're going to do long-term in this series There's still plenty of time to be able to do that I think What are we on? Episode? I forget I forget which episode we're on but either way it'll say it in the title of the video We have loads of different things on the notification Mod here we've got to give the cows grass and silage and total mixed ration And we need to clean the sheep area We'll clean the sheep area when we take this tractor back there either at the end of this episode Or at the beginning of the next one because we're over at the store at the moment that's where we are going to We're going to buy a different machine now this is against my rule as usual The rule is not to go below 150,000 But it is a machine that is required straight away Due to the fact that we now have cows And although I could keep going over there to muck them out with this tractor It's sort of belongs I do apologize for my terrible driving It belongs over at the sheep farm So this has to go back really Hence the reason why we have the water tanker on the back that is for the sheep I think we are going to have to get a water tanker for Hill Ridge farm because we can use it for the greenhouses And the cows over at Mountain View farm Right we're going to go right down here in fact And we're going to buy A forklift It sounds strange but it is a very interesting thing You've maybe even seen it on modhub But it just looked to be a fascinating thing to have on the farm A little late indicating there This can stay here for the time being Ideally it should go on a low-loader Or just on a transport trailer but we don't really have one so we're just going to have to drive it Which is slightly worrying But I'm sure it will be possible We still need the Merlo but it's just out of our price range currently I don't actually know where it iis Bear with me while I locate it it can't be too hard to find Here it is so we have got I think is it pronounced Linder? or Lind? I'm not too sure But we've got a shovel and a pallet fork which can be used with this I think we're gonna buy the pallet fork But whether or not we're gonna put it into the shovel I don't Know It would be very useful to be able to carry them both up there in one go Since the maximum speed is only 15MPH Ooh we can choose colour of the rim It does look better with a oh wow it doesn't change the price fantastic Well we'll go with this then and we need to buy the shovel which is pretty expensive the main colour Yet again Keep it standard actually And these which are fairly cheep attachers Attacher on fork long forks standard We just need standard I think although that is very tempting Attacher on fork Ahh this is too tempting I don't know I, I really don't know we can modify it I suppose Right, ok So does that actually fit to the front of here? Or have I chosen the wrong option It does ok Now I really want to put this in the bucket Whether or not that is do-able I don't know because it may not let us actually take it off if it's in the air Some mods don't allow you to others do but I want to drop it Somewhere here should be able to tilt forwards There we go Wow it did work it did it's trying to fall back though I need to grab the shovel Ha hawwww fail Ok a different approach We put it in from the front Maybe that'll work better It is kind of in Stay in It's insisting on falling out Maybe if we attach the shovel and then tilt it right back it will have enough gravity to keep it in there The control might be back to front unless it's just me I probably can change that setting if I have to But it seems to be a very nice mod indeed So Yeah that is as tilted back as I can go and it's sort of rocking In it's place so its not ideal but we should be able to take it up there And I'm sure you can now appreciate the reason why I said its a unique looking thing Very interesting Ok Let me think of a new approach Yes! I've done it You can tip the bucket if anybody is concerned that you can only sort of tilt it forwards and backwards That isn't the case you can fully tip it and unload it Which we will be doing You can probably also understand the reason why I said it would've been ideal on a low-loader Or something similar Just because I don't really think it should be on the road at all This is the only time we're gonna have to drive it on the road Because it's gonna live completely in one shed it is going to have a very fun life But a very useful life Mucking out is very important And it just seems to be very handy for that At the same time if we ever do have a delivery of seed or anything up there or fertilizer for the grass fields Then we can use it for that as well and it lifts up really high So if we ever have to load up the tractor The fertilizer spreader It is absolutely perfect for the job In fact I would almost say it lifts higher than the telehandler It's a very interesting machine Anyway I will see you up at Mountain View farm and we'll go from there it is going to rain very soon Before I do get there actually I've just thought of something it'd be perfect for logs we could actually cut down trees And log them up and put them in here, it's such a big bucket It's gonna be very multi-purpose so that is just another possibility Of different things that we can do As well as just using it for manure which is not the cleanest of jobs but it's a job that has to be done Here we are I'm not really too bothered about mucking them out today Because we've only just done it in the Halloween special but I do need to clear up this mess out here Do we have a store area for manure? Probably not actually so we could just Yeah I suppose what we should do is have a trailer here to actually put it into But for now let me just tip out the forks and we're going to do a full-on job of silage bales in a second I think they do take time to actually work Which is expected they need to ferment obviously You can stay there Self up-righting very nice And let me just try out this bucket I think really as long as you've set the height and the angle correctly It's gonna be fairly easy to use you can see I just need to put a very slight angle on there And then yeah it's simple, very very simple It should be really good for mucking them out So this belongs in this open fronted shed We'll just put it here Tilt it back a bit And that is the Linde's job for today So! As you know we have a very nice Kuhn baler with a self wrapping unit on the back We also have The very nice Massey Ferguson forger or the mower I should probably call it This field looks to be a very nice one to be doing and I think we did, yeah we did, we fertilized it all too So I think if we can get cracking we can get this entire field done Completely baled today as silage bales We only have... ...Probably about two hours I would've thought because the rain in imminent so... ...Yeah shall we have to wait for somebody to pick us up SOMEBODY... PICK ME UP Well it took a few minutes to get that done But we're here now So fast, we need to be super fast at doing this My pumpkins Keep them there for the time being They're seasonal enough Right ok actually thinking about it I think I left it in the... yeah it's in the field We'll go and get the header on the trailer And then we'll take the baler which is just there and the John Deere up at the same time And I don't know how well it's actually going to work on follow me Due to the wrapper on the back don't know if it'll be able to wrap and bale at the same time I would've thought it would do it is fairly intelligent Which is surprising I don't tend to say that the workers are intelligent but I think they are in that case so that's very nice And yeah just get this field done we need to get it done and the bales need to start fermenting before the rain Otherwise, they're going to be very very wet bales on the inside and it's just going to cause them to rot There is the John Deere so everything is in the right place it's just not setup yet I'll go and put this over at the gate Thankfully from here Mountain View farm is not too far away But very soon we're going to be able to do our own huge scale silage bale production Because it's actually ahh I keep getting these two confused It's field 14, not 15 Field 14 is going to be done as grass very very soon And that is gonna be a massive Silage bale and hay bale creation area Meaning We should have loads and loads of bales If they're silage bales they should be worth a fortune Ahh I have just thought of something This tractor Is overdue What the It's overdue for a service so is gonna keep cutting out I need to service it first It doesn't mean we can't attach to the baler first though Jump out of here Get it all attached including the PTO shaft Good And over to the workshop I think it only needs an oil change or something like that It would take a while but I think we'll be able to do it in a fairly short period of time Right Let's get this done Very very important that it doesn't break down half way through Which is the repair I thought it was Hang on... Hang on what? Hang on That's weird There we go It's been a long time since I've repaired something clearly But it's all now fully working I just hope we don't have to contend with the rain Put it onto follow me and then we'll be up at the field it's not too far from here We can go either way, left or right I think left might be a more sensible way Because there's not as much of a incline really And that shouldn't have any issues following us because we're much wider If we can get through; The tractor should get through The thing we have to battle with is the traffic Because this thing is actually wider than one side of the road We have to slalom through the signposts too Ok it's clear to the right, I can't see left There's always a car C'mon c'mon go go go go Do we still have the header? We do! It's a break through I haven't lost the header yet Hmm few cars here Close Very very close They don't pull over for you Anyway I'll see you up at the field It'd be nice if we owned all these big fields around here Because with this smaller field there's so much turning to be able to do it all And yeah this would really speed the job up It would take longer but it would be easier Certainly easier for the baler because I can imagine there's gonna be quite a bit of missing bits here It's gonna miss lots of bits just because it's going to be finding it hard to do it Ahh... ha Overcompensated there I think if we put the trailer In this gateway where the grass is dead anyway That'll be the best place for it About there Good, oh that thing needs to stop otherwise it's gonna come crashing through the trailer And that should be close enough Brilliant! Ok I think Well actually it doesn't matter which way round the field we go Maybe to begin with we should go this way since the John Deere is facing this way Doesn't really matter But I'm just trying to make it as easy as possible on the driver of the tractor We'll put it a 15 I think and we'll... ... Switch all that on Is that all ready to go I think it might be Let's hope it works well Let's keep a close eye out to begin with As close to the edge as possible but not too close Ahh look at this there's a tree that's probably got a collision You do have to watch the trees It's working well Brilliant, ok we don't need the lights on There we go And off we go the silage bales begin There is a setting actually I think for the wrapping Hopefully it's defaulted to wrap I hope it hasn't Well if the first one turns out not to be wrapped Then it doesn't really matter I could feed it to the cows It would just mean I need to change the setting Yes, it's actually... Yeah there we go Is it wrapping? Ohh it is! Brilliant it's defaulted to wrap This is going pretty well today Which makes a change, usually things go horrifically wrong Did a model farm video for everybody yesterday It is fairly time consuming making those videos And because I've never made a model farm before some things may come across as a bit you know, like I'm a beginner but I am so Any suggestions are appreciated Any criticisms are appreciated if they're construtive Any abuse is not wanted Quite frankly But usually the spam filter picks up on all that stuff anyway Let's actually stop because it doesn't self unload How annoying That's very annoying I wonder if the self-unloading mod would work in that respect Luckily It isn't too hard to keep flicking between the two vehicles All I have to do is shift and tab and go straight back to the John Deere Which is good 'cos your vehicles can be quite far apart when you tab through them So that makes life much much easier As predicted on the bends it is a bit tricky to actually pick it up We could always just neaten things up a bit but... ... If it does a fairly good job it won't be necessary but looking at it so far It is struggling a bit But nothing I wouldn't have expected really So far so good and the rain is holding off The most important thing here is to keep the rain off Otherwise it is gonna be all Ground to a hault Which would be sad to see But judging by how long it took for it to start raining before When we were doing the drilling it took all day in fact I would say that we are very very safe here But I've been wrong many times before so it may start raining in the next few minutes I think what we'll have to do is wait and see but the clouds They look fairly Happy to me not very threatening things are going well Hmm just thinking about it that trailer which we've actually brought the header over on I wonder if that could be used as a trailer for the forklift? It looks like it could be I can't Imagine a forklift is too much heavier Although forklifts are actually surprisingly heavy I dunno Let me just jump out and take a look Doesn't look that substantial if you think about it it's wooden Not saying that's not strong though Just looks like it is designed to carry a header which is what it does do I dunno Maybe it would work quite well Let me know what you think We could use it for transportation Of a forklift The mowing side of things is pretty much done Just finishing off with the baling We haven't had that many bales out of it I suppose But it wasn't really at it's longest, it's still only spring You can tell that it's not at it's longest So I think we've done pretty well considering Anyway let me just lift this up We'll put it over here But I'm gonna take over the baler in a second because we need to go and pick up the stuff which has been missed Doesn't really need to be on there because we're gonna use it again soon anyway So there we go Turn the engine off And just hope this doesn't crash into any of the bales which are There in fact we'll take over Cheaper anyway Is that all still working? It is good ok We'll drop the bale off the back I reckon If we just Lots of grass over here Don't know how many bales we've created it should be quite good You just can't get it all though Just not really possible And get these pieces here just because it's quite obvious that it's been missed But as for the small pieces, I can't really See the need Think we'll be doing ok anyway Right ok Then over here we've got this piece we've just cut Would be nice to be able to finish this final bale but it's only 40% full And it doesn't look like there's another 60% of grass on the ground I dunno in fact I'll go off screen I'll pick up as much as I can do And yeah I think we maybe finishing with a half created bale Oh well can't win them all Just the way it is So if I just lift up The pickup there And we'll put this over in the yard Then at least it'll be handy for next time I don't think it's going to be too long until we do the next Load of bales We do have to do some straw bales aswell So that is going to be on the priority list, how many have we got here though? I could count, but I could also just click on here Is that the page? No, no no On this one here Created Bales 11 That's ok once they've fermented then they'll be worth I think they're about £2,000 I'm not too sure It'll all depend on the price at the time but they are still worth a fair amount But I don't think these will be sold We may sell a few but they're gonna be required for the total mixed ration And just for the silage anyway Because they have silage and the TMR is a separate thing kind of It's all sort of the power food sort of section So you can give them just silage or just hay to keep them going But to do the silage, hay and straw power food mix then creates this total mixed ration requirement They do need grass as well so that is something we need to think about Otherwise, everyone is doing okish 24 sheep , 6 cows Not gonna moan at that, sounds quite good Anyway I think we're gonna leave this here Thank you so much for watching, hopefully you've enjoyed the video And until next time I'll see you again very soon Oh it's about to start raining, that light just came on although four lights, four rooms That means the rain is closing in you can see it's getting a bit murky if we just skip forward There we go! We did it just in time anyway... ...Thanks again and see you again soon Bye for now
null
minipile
NaturalLanguage
mit
null
This is my first piece for Whale Reports. I figured I would start with a brief introduction, and then get into the content. I am The Dragon. I am currently in school, working towards my degree in Computer Science. I am heavily focused in trading cryptocurrencies through algorithmic trading bots. I plan on also having some content that is focused on data science and different studies in the cryptocurrency field. Considering the technology we are exposing ourselves to every single day, I have developed an interest in bots that trade in hopes to profit through market volatility. I have been researching cryptocurrency for around 2 years and have been researching and developing an algorithmic based strategy for around 6-8 months. While relatively new to the space in comparison to others, I hope my insight can provide a fresh perspective as well as an innovative way to approach trading. Due to the volatility of the market, it was slightly overwhelming when I began research on algorithmic based bots during the peak of bull run in late 2017/ early 2018. It was something that as a trader I had never seen before. I think a good majority of traders were somewhat surprised to see such a dramatic increase in overall market capitalization, with the total market cap reaching just over 800 billion in January 2018. There are multiple bot based platforms online that I hope to review, as I have utilized and tested most of them. Generally, these services are paid programs. You pay a subscription fee per month of hosting and as the user are able to implement a plug and play strategy. The other route to running algorithmic bots are coding, running, and deploying them on your own dedicated servers. Generally, this is the most secure way to deploy an algorithm, and this can be done on a desktop computer, or something like a Raspberry Pi. For the average casual bot user, the attraction to automation is the idea of a truly hands off experience. One that you can set and forget. The fact of the matter is if you are going to devote time and resources to coding and deploying Python based algorithmic bots on your own systems or servers, there is a good amount of upkeep and debugging that you may have to do, leading to an experience that is not so hands-off. The only way to keep your algorithm proprietary is to keep it on private servers, and manage and run it yourself, hooking up to a major exchange of your choice. For now, I am not going to be focused on providing guides on how to code Python based bots. I will be focusing most of my articles on bot systems or platforms that the everyday user would be able to use and adapt to their own strategy – little to no coding experience beforehand. That being said: none of what I am saying is financial advice. I am not being paid by the bot service I am writing about today. I have used them for roughly 1 month now as they just came out of their beta testing stage. This bot is a premium service I paid to use and am currently subscribed to, payable in BTC/BCH/ETH/LTC. The platform I am reviewing today is called Nazca Bot. Nazca bot is a platform that allows you to create a pre-made strategy that can be dynamic or fixed. They have some pretty powerful customization options. Nazca bot website can be found: https://nazcabot.io/ . They have built a pretty powerful and fluid GUI on a web based platform. Above is a screenshot of the homepage of Nazca bot. The first reason I was initially attracted to the Nazca bot is that the back-testing feature that the platform provided was one of the most powerful web based back-testing features that I had seen. Aesthetically it was very pleasing as well. Nazca focuses on building a long-term diversification strategy. Using the platform, you can pick a portfolio style to your liking, and there are many different customization options. Nazca recently added 8 preset strategies you can deploy on your own. I have attached a screenshot of what those presets are below so you can see them as well as get a peek at the beginning of the back-testing feature. Another key part of the Nazca bot is the re-balancing feature, which is not pictured here, and I will address that next. Here are the current preset options that Nazca offers: A key aspect of Nazca bot is the distribution model. I highly encourage everyone to try different re-balancing strategies to find what may work best for the outcome they want to see. The back-testing feature uses historical data, but keep in mind there is no guarantee that the market will repeat the results that the back-testing feature provides to you. However, it is an indication of previous price action, and the cryptocurrency markets can be very unpredictable. Below are three screenshots of the different distribution options that Nazca offers, followed by two executed back-tests on Nazca’s platform. Above are the re-balancing options you can use to truly customize your strategy. The first back-test that I am going to show below is using one of Nazca’s preset strategies. This is the “Top 30 by Volume % Change (7d)” and instead of using a re-balancing period of 30 days, I have chosen to execute a re-balancing period of 7 days. This is a slightly more aggressive strategy than the 30-day re-balancing. I am also using the even distribution for my distribution model. The following strategy above would produce roughly an 8x gain over a year’s time. The volatility seen here is drastic, and the peak of the gain indicated it would be well over a 5000% gain from 8/1/2017 to 8/1/2018. Keep in mind this is using historical data, and there have been many changes in the market over the past year. Also, note that this bot platform strictly uses Binance. Binance as an exchange has had many changes throughout the years’ time. This strategy uses the top 30 Volume % Change (7d) meaning coins that were seeing a lot of market volume. Simply put, it looks at the coins on Binance with the most volume within the past week, re-balancing them every week. Re-balancing simply means redistributing the (hopefully) profits among the coins selected by the strategy. The next back testing I am going to show is a strategy I came up with, and it is an interesting one. Here is the screenshot of the back-test below. A back-test throughout 8/1/17 to 8/1/18 would have produced a roughly 12x return. Keep in mind market cycles, Binance adding/removing coins, liquidity issues etc. So the result may not have performed exactly this way, but this back-test is using data pulled from Binance. The peak of this back-test would have been a 26x return in the beginning of March after what was a very positive month in the market for alts and a small run for Bitcoin. I have had discussions with Alessandro Marin, who is the software engineer on the product and he has been helpful with answering questions throughout my setup process. He is on telegram at: @afinemonkey. I have also been in contact with the Valerio Mostacci, the market analyst for Nazca. He answered a couple of questions I had regarding upcoming features and potential future development. The link to the Nazca bot platform is: https://nazcabot.io/ Link to the Nazca Telegram joinable at: https://t.me/nazcabot Affiliate link to Nazca bot: https://app.nazcabot.io/register?ref=897267 I am The Dragon, reach out below. My twitter: https://twitter.com/thedrag0n Telegram username: @thedrag0n Email: [email protected]
null
minipile
NaturalLanguage
mit
null
WASHINGTON — Attorney General Jeff Sessions recused himself from investigations related to the presidential campaign, yet he played a central role in the sudden firing of FBI Director James Comey, leaving many wondering if he violated that pledge. Democratic Sen. Al Franken, of Minnesota, called Sessions’ involvement a “complete betrayal” of his commitment, and Sen. Ron Wyden, of Oregon, called for his resignation. But the question of whether Sessions broke his promise to stay out of certain investigations is complicated and political. And the answer partly depends on what you see as the real motive behind the director’s firing. Some questions and answers about Sessions’ recusal: WHAT WAS SESSIONS’ PROMISE? The shorthand version is that Sessions vowed to step aside from investigations into Russian interference in the 2016 election after it was revealed he twice spoke with the Russian ambassador during the campaign and failed to say so when pressed by Congress during his confirmation hearing. But what he actually said was broader: “I have decided to recuse myself from any existing or future investigations of any matters related in any way to the campaigns for president of the United States.” That could be interpreted to mean he pledged to stay out of affairs related to the Russia probe, but also to other campaign-related investigations, including into Hillary Clinton’s use of a private email server. DID HE BREAK THAT PLEDGE? That’s tricky. Sessions recommended Comey’s firing, writing in a letter that “a fresh start is needed at the leadership of the FBI.” And President Donald Trump said he based the firing on Comey’s very public handling of the bureau’s investigation into Clinton’s emails. In that context, the move can be seen as purely a personnel decision based on Comey’s conduct, and Sessions should have been involved given his job as attorney general, said Susan Hennessey, a fellow at the Brookings Institution and managing editor of the Lawfare blog. But if you believe the dismissal was an effort to stifle the FBI’s investigation into Trump campaign ties to Russian meddling in the 2016 election, as some lawmakers have alleged, “that reasoning is much harder to defend,” she said. It can also be argued that Sessions should have steered clear of Comey’s firing because his recusal applied to investigations of “campaigns,” which would include the Clinton email probe, said Jane Chong, Lawfare’s deputy managing editor and national security and law associate at the Hoover Institution. SHOULDN’T HE HAVE JUST STAYED OUT OF IT? Staying out of it could have been seen as suspicious, giving critics ammunition to argue Sessions did so because there was a connection between the firing and the Russia probe, Chong said. “Choosing not to be involved would actually be its own kind of statement,” she said. “That was clearly something he could have done, but I think optically speaking, there would still be a problem.” “Sessions was in a hard place here,” she said. IS THERE A PROBLEM WITH HIS DEPUTY BEING LINKED TO THE FIRING? Sessions’ recusal means Deputy Attorney General Rod Rosenstein is overseeing the Justice Department’s Russia investigation. Rosenstein also wrote a memo blasting Comey’s handling of the email probe. Trump has said that scathing report factored into his decision to fire the director, though the president also said he would have done it regardless of the Justice Department’s recommendation. Rosenstein “had a level of credibility regarding his political independence,” Hennessey said. “His involvement in Comey’s firing doesn’t just undermine, it eviscerates the belief in his impartiality or credibility on this.” Whether Rosenstein is impartial doesn’t matter as much as whether the public believes the investigation is credible so that people have faith in the outcome, she said. Her suggestion: Appoint a special prosecutor. DOES ANY OF IT MATTER? Not really. There’s no legal penalty for Sessions if he should have stayed out of the firing, though Congress could grill him over it or seek an inspector general investigation, Hennessey said. And it certainly won’t change Comey’s ouster. “It’s still an important question to understanding how the decision was made,” she said. ISN’T SOME OF THIS FAMILIAR? Kind of. The last high-profile special counsel to be named was in 2003 when the Bush Justice Department turned to Patrick Fitzgerald, then the top federal prosecutor in Chicago, to investigate who leaked the identity of Valerie Plame, a covert CIA officer. That appointment was made by Comey, who at the time was deputy attorney general. Comey took the extra step of giving Fitzgerald complete discretion to conduct the investigation, bolstering the special counsel’s independence.
null
minipile
NaturalLanguage
mit
null
Intensive physiological analysis of the energetic metabolism of D. melanogaster with postponed aging is proposed. Previous work has shown that a number of characters involved in energetic metabolism are altered in flies with genetically postponed aging: resistance to starvation, metabolic rate, locomotor activity, flight duration, output of eggs, and so on. The proposed research would examine more D. melanogaster populations, including populations that have undergone selection on some of these characters specifically. For example, it would study the energetic metabolism of stocks selected for increased starvation resistance. In this manner, physiological genetic connections between characters can be uncovered, such as the connection between starvation resistance and reserve substances, lipid or glycogen; the latter should be increased in the stocks selected for starvation resistance if they supply the calories that increase starvation resistance. In addition, a broader range of physiological characters would be examined: age-specific metabolic rate, feeding rate, age-specific lipid and glycogen levels, in vitro uptake of lipid and glycogen by ovaries and gut, response to dietary restriction, and response to celibacy. Once this research has been completed, it will be apparent which tissues and which catabolic enzymes would be of greatest interest for further research on the physiology of postponed aging. In addition, a number of hypotheses concerning the overall role of energetic metabolism in the evolution and physiology of aging, such as the hypothesis of a cost of reproduction and the hypothesis that dietary restriction acts via reduction in reproductive effort, would be tested definitively, at least for D. melanogaster.
null
minipile
NaturalLanguage
mit
null
Teen Room Decor Ideas One Total Modern Stylish Teen room decor ideas one total modern stylish is one images from 24 beautiful room decoration for teens of Lentine Marine photos gallery. This image has dimension 1200x888 Pixel and File Size 358 KB, you can click the image above to see the large or full size photo. Previous photo in the gallery is decor girl room one total modern stylish teen. For next photo in the gallery is fashionable teen hangout lounge design dazzle. You are viewing image #6 of 24, you can see the complete gallery at the bottom below.
null
minipile
NaturalLanguage
mit
null
Media centreFind the latest news from Macmillan Cancer Support and stay up-to-date with cancer services, campaigns and fundraising efforts. Browse through Macmillan's news stories to find out more.Contensis: http://www.contentmanagement.co.ukhttp://www.macmillan.org.uk/aboutus/news/newsroom.aspx?SyndicationType=22016-12-09T13:31:21ZWhy is shortbread called shortbread?Kids answer the big questions in this Christmas video by Macmillan Cancer Support and Paterson's Shortbread2016-12-08T17:49:00Z2016-12-08T17:41:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Why-is-shortbread-called-shortbread-.aspxMacmillan Cancer Support responds to October's cancer waiting timesMacmillan warns of a difficult winter ahead as the NHS misses a key cancer target for the 10th month running.2016-12-08T17:37:00Z2016-12-08T17:34:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Macmillan-Cancer-Support-responds-to-Octobers-cancer-waiting-times2016.aspxMacmillan Cancer Support: NHS funding 'a positive step' to help people with cancerFay Scullion, Interim Director of England at Macmillan Cancer Support, responds to NHS England's announcement of funding being made available to support interventions in cancer care.2016-12-06T15:37:00Z2016-12-06T15:33:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Macmillan-Cancer-Support-NHS-funding-a-positive-step-to-help-people-with-cancer-.aspxHundreds of thousands of cancer patients face loneliness this ChristmasAs many as 400,000 people living with cancer in the UK will be lonely this Christmas, a new estimate by Macmillan Cancer Support shows.2016-12-06T00:15:00Z2016-12-05T14:39:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Hundreds-of-thousands-of-cancer-patients-face-loneliness-this-Christmas.aspxCancer patients want health professionals to talk about dataMacmillan Cancer Support and Cancer Research UK are calling for health professionals to be better equipped to talk to patients about cancer registration and about how their data is used.2016-12-01T09:07:00Z2016-11-30T12:21:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Cancer-patients-want-health-professionals-to-talk-about-data.aspxFamous Faces Fundraise at Macmillan's Annual BallMacmillan Cancer Support's 2016 Annual Ball raised a record-breaking £300,000 to help ensure that no one faces cancer alone this Christmas.2016-11-28T15:47:00Z2016-11-24T16:24:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Famous-Faces-Fundraise-at-Macmillans-Annual-Ball.aspxStay Healthy this Christmas with The Juiceman's 'Sproutie' SmoothieWhether you love them or loathe them, it wouldn't be Christmas without our old festive friend – the sprout. And now you can drink them too!2016-11-28T15:47:00Z2016-11-25T12:19:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Stay-Healthy-this-Christmas-with-The-Juicemans-Sproutie-Smoothie-.aspxMacmillan Cancer Support responds to the Autumn StatementDr Fran Woodard, Executive Director of Policy and Impact, at Macmillan Cancer Support responds to the Government's Autumn Statement.2016-11-23T16:44:00Z2016-11-23T16:53:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Macmillan-Cancer-Support-responds-to-the-autumn-statement.aspx21st Century cancer deaths - our takeInformation on 21st Century cancer deaths - our take2016-11-14T16:30:00Z2016-11-14T17:05:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/21st-Centruy-cancer-deaths---our-take.aspxMacmillan Cancer Support responds to cancer waiting timesTom Cottam, policy manager at Macmillan Cancer Support, responds to September's cancer waiting times which showed that the NHS in England has now failed to meet a vital cancer target in all but one of the past 29 months.2016-11-10T12:35:00Z2016-11-10T12:31:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Macmillan-Cancer-Support-responds-to-cancer-waiting-times-10-11-2016.aspx1 in 5 people who return to work after cancer face discriminationInformation on 1 in 5 people who return to work after cancer face discrimination2016-11-07T00:15:00Z2016-11-04T14:46:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/1-in-5-people-who-return-to-work-after-cancer-face-discrimination.aspxGive as You Gift with Macmillan Cancer Support this ChristmasMacmillan Cancer Support has a selection of brand new seasonal products on offer. From Christmas cards and decorations to festive gifts and accessories, there's something for everyone.2016-11-04T14:45:00Z2016-11-04T14:38:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Give-as-You-Gift-with-Macmillan-Cancer-Support-this-Christmas.aspxMacmillan Cancer Support responds to Work, Health and Disability Green PaperDr Fran Woodard, Executive Director of Policy and Impact said Macmillan Cancer Support responds to the publication of the Department for Work and Pensions Work, Health and Disability Green Paper.2016-11-03T14:21:00Z2016-11-03T14:16:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Macmillan-Cancer-Support-responds-to-Work,-Health-and-Disability-Green-Paper.aspxLiving wage week is hereInformation on Living wage week is here2016-10-28T16:06:00Z2016-10-28T16:02:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Living-wage-week-is-here.aspxCancer patients risk being left out in the cold this winterAs the clocks go back and people turn their heating up, research shows cancer patients are estimated to spend an additional £15.7m a year on their energy bills.2016-10-28T00:15:00Z2016-10-27T17:04:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Cancer-patients-risk-being-left-out-in-the-cold-this-winter.aspxMacmillan Cancer Support responds to NHS England report on cancer strategy progressDr Fran Woodard, Executive Director of Policy and Impact Macmillan Cancer Support responds to NHS England's publication by of its report into progress made on implementation of the cancer strategy.2016-10-26T12:17:00Z2016-10-26T12:15:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Macmillan-Cancer-Support-responds-to-NHS-England-report-on-cancer-strategy-progress.aspxArgos employee runs 107 miles to raise money for Macmillan Cancer SupportArgos employee Sion Harper completed the challenge of running 107 miles from Milton Keynes, where the retailer's head office is based, to Bognor Regis last week, in an attempt to raise £10,000 for Argos's charity partner, Macmillan Cancer Support.2016-10-18T15:55:00Z2016-10-18T15:46:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Argos-employee-runs-107-miles-to-raise-money-for-Macmillan-Cancer-Support.aspxBowel cancer patients without emotional support three times more likely to experience clinical depressionMany bowel cancer patients are experiencing a lack of affection, emotional and practical support after surgery, according to new research by the University of Southampton and Macmillan Cancer Support.2016-10-17T10:42:00Z2016-10-17T10:44:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Bowel-cancer-patients-without-emotional-support-three-times-more-likely-to-experience-clinical-depression.aspxOver four in five line managers are not trained in supporting people with long term conditions such as cancerFour in five line managers are not given any training on how to support people with long term conditions including cancer.2016-10-10T12:12:00Z2016-10-10T12:10:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Over-four-in-five-line-managers-are-not-trained-in-supporting-people-with-long-term-conditions-such-as-cancer.aspxMacmillan Cancer Support comments on clinical commissioning group cancer performance ratingsDr Fran Woodard, Executive Director of Policy and Impact at Macmillan Cancer Support, comments on new ratings for Clinical Commissioning Group cancer performance.2016-10-03T10:26:00Z2016-10-03T10:21:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Macmillan-Cancer-Support-comments-on-clinical-commissioning-group-cancer-performance-ratings-.aspxCancer charity warns of strain on sandwich generation of carersAn estimated 110,000 people in the UK are caring for a parent with cancer – and have children living at home2016-09-28T14:46:00Z2016-09-29T10:21:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Cancer-charity-warns-of-strain-on-sandwich-generation-of-carers.aspxMacmillan Cancer Support responds to cancer survival ratesLynda Thomas, Chief Executive of Macmillan Cancer Support responds to cancer survival rates published today (Friday 16 September).2016-09-16T14:53:00Z2016-09-16T14:44:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Macmillan-Cancer-Support-responds-to-cancer-survival-rates.aspxMacmillan Cancer Support responds to APPGC on cancer report into the Cancer StrategyDr Fran Woodard, executive director of policy and impact at Macmillan Cancer Support responds to the All Party Parliamentary Group on Cancer's report following its inquiry into progress in the cancer strategy for England.2016-09-13T00:15:00Z2016-09-12T12:45:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Macmillan-Cancer-Support-responds-to-APPGC-on-cancer-report-into-the-Cancer-Strategy.aspxMacmillan Cancer Support responds to the latest cancer waiting times figuresDuleep Allirajah, Head of Policy at Macmillan Cancer Support responds to the July 2016 cancer waiting times published by NHS England.2016-09-09T15:16:00Z2016-09-09T15:11:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Macmillan-Cancer-Support-responds-to-the-latest-cancer-waiting-times-figures.aspxMacmillan Cancer Support responds to new data on post- chemotherapy deathsProfessor Jane Maher, Joint Chief Medical Officer at Macmillan Cancer Support, responds to new data from Public Health England which reveals the proportion of people who die within 30 days of being treated with chemotherapy.2016-08-31T12:16:00Z2016-08-31T12:06:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Macmillan-Cancer-Support-responds-to-new-data-on-post--chemotherapy-deaths.aspxM&S and Macmillan take to the streets of London for World's Biggest Coffee Morning - on a bus!Macmillan Cancer Support and M&S took their World's Biggest Coffee Morning bus through the streets of London, in anticipation of this year's event, taking place on September 30th.2016-08-24T12:55:00Z2016-08-24T12:45:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/M&S-and-Macmillan-take-to-the-streets-of-London-for-Worlds-Biggest-Coffee-Morning---on-a-bus!.aspxBrits shunning running after school experienceAlmost half of Brits admit that it has been over a decade since they ran for exercise, according to new research by Macmillan Cancer Support.2016-08-24T00:15:00Z2016-08-23T12:14:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Brits-shunning-running-after-school-experience.aspxMacmillan Cancer Support responds to June's cancer waiting timesDuleep Allirajah, Head of Policy at Macmillan Cancer Support, responds to cancer waiting times published today by NHS England.2016-08-11T14:25:00Z2016-08-11T14:28:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Macmillan-Cancer-Support-responds-to-Junes-cancer-waiting-times.aspxMore than 170,000 people are alive despite being diagnosed with cancer more than 25 years agoNew report from Macmillan Cancer Support celebrates advances in cancer treatment and care but warns more needs to be done to cope with increasing demand.2016-08-01T09:51:00Z2016-08-01T10:13:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/More-than-170,000-people-are-alive-despite-being-diagnosed-with-cancer-more-than-25-years-ago-.aspxPro Gamers Accept Macmillan's Life-Changing Gaming ChallengePro gamers including Spamfish, Elajjaz and Skillspecs come together in 24-hour gaming marathon live streamed on Twitch to help ensure that no one faces cancer alone2016-07-20T11:42:00Z2016-07-20T11:32:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Pro-Gamers-Accept-Macmillans-Life-Changing-Gaming-Challenge.aspxMacmillan Cancer Support responds to May's cancer waiting timesLynda Thomas, Chief Executive, Macmillan Cancer Support responds to cancer waiting times for May, published today by NHS England,2016-07-14T14:20:00Z2016-07-14T14:19:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Macmillan-Cancer-Support-responds-to-Mays-cancer-waiting-times.aspxMacmillan Cancer Support responds to the launch of Public Health England's 'be clear on cancer' campaignDr Fran Woodard, Executive Director of Policy and Impact at Macmillan Cancer Support, responds to new figures released today by Public Health England which show that around 80,000 people could be living with undiagnosed lung cancer.2016-07-14T00:15:00Z2016-07-13T14:14:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Macmillan-Cancer-Support-responds-to-the-launch-of-Public-Health-Englands-be-clear-on-cancer-campaign.aspxMore than 100,000 cancer patients in England 'left in the dark' about long-term side effectsAround 116,000 cancer patients in England could be at risk of serious illnesses because the potential future side effects of their treatment were not fully explained to them, according to brand new analysis by Macmillan Cancer Support.2016-07-14T00:15:00Z2016-07-13T16:05:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/More-than-100,000-cancer-patients-in-England-left-in-the-dark-about-long-term-side-effects-.aspx98% of Brits don't know what a will is forOnly 2 in every 100 Brits can accurately describe what a will is for and why they need one.2016-07-13T00:15:00Z2016-07-13T14:29:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/98-of-Brits-dont-know-what-a-will-is-for.aspxMacmillan Cancer Support responds to the Cancer Patient Experience Survey (CPES) for EnglandDr Fran Woodard, Executive Director of Policy and Impact at Macmillan Cancer Support , responds to NHS England's released breakdowns of Trust and CCG level data for the Cancer Patient Experience Survey (CPES) in England.2016-07-06T17:04:00Z2016-07-06T16:56:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Macmillan-Cancer-Support-responds-to-the-Cancer-Patient-Experience-Survey-(CPES)-for-England.aspxMacmillan Cancer Support comments on the government's response to the review of choice in end of life careLynda Thomas, Chief Executive of Macmillan Cancer Support, comments on the government's response to advice from A Review of Choice in End of Life Care, a government-commissioned independent review.2016-07-06T16:03:00Z2016-07-06T15:58:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Macmillan-Cancer-Support-comments-on-the-governments-response-to-the-review-of-choice-in-end-of-life-care.aspxCancer patients steer clear of exercise despite proven health benefitsMacmillan Cancer Support reveals what puts people living with cancer off getting active2016-07-06T15:50:00Z2016-07-06T15:44:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Cancer-patients-steer-clear-of-exercise-despite-proven-health-benefits.aspxMacmillan Cancer Support responds to new figures showing middle aged women in the UK are more likely to get lung cancerProfessor Jane Maher, Joint Chief Medical Officer at Macmillan Cancer Support responds to figures by Cancer Research UK showing that middle aged women are more likely to get lung cancer, and at a younger age than 30 years ago.2016-07-06T15:50:00Z2016-07-06T15:49:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Macmillan-Cancer-Support-responds-to-new-figures-showing-middle-aged-women-in-the-UK-are-more-likely-to-get-lung-cancer.aspxMacmillan Cancer Support responds to new figures on cancer survival ratesDr Fran Woodard, Executive Director of Policy and Impact at Macmillan Cancer Support, comments on new one-year cancer survival rate figures for England, released by the Public Health England National Cancer Registration and Analysis Service in partnership with the Office for National Statistics.2016-07-06T15:38:00Z2016-07-06T15:30:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Macmillan-Cancer-Support-responds-to-new-figures-on-cancer-survival-rates.aspxMacmillan Cancer Support responds to cancer waiting timesDuleep Allirajah, Head of Policy at Macmillan Cancer Support responds to April's cancer waiting times published by NHS England.2016-07-06T15:33:00Z2016-07-06T15:26:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Macmillan-Cancer-Support-responds-to-cancer-waiting-times.aspxMacmillan Cancer Support responds Marie Curie report on LGBT end of life careJagtar Dhanda, Head of Inclusion at Macmillan Cancer Support comments on Marie Curie's "Hiding Who I am" report on the LGBT community's varied and often negative experience of end of life care.2016-07-06T15:28:00Z2016-07-06T15:23:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Macmillan-Cancer-Support-responds-Marie-Curie-report-on-LGBT-end-of-life-care.aspxMacmillan Cancer Support responds to new research into exercise, diet and breast cancerFran Woodard, Executive Director of Policy and Impact at Macmillan Cancer Support, responds to new research into the link between exercise, diet and breast cancer being presented at the American Society of Clinical Oncology's (ASCO) annual conference.2016-06-06T17:49:00Z2016-06-06T12:05:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Macmillan-Cancer-Support-responds-to-new-research-into-exercise,-diet-and-breast-cancer-.aspxMacmillan Cancer Support responds to latest ONS cancer incidence figuresFran Woodard, Executive Director of Policy and Impact at Macmillan Cancer Support, responds to new cancer incidence figures for England by the Office for National Statistics.2016-05-27T14:56:00Z2016-05-27T14:51:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Macmillan-Cancer-Support-responds-to-latest-ONS-cancer-incidence-figures.aspxMacmillan Cancer Support comments on latest breast cancer researchFran Woodard, Executive Director of Policy and Impact at Macmillan Cancer Support, responding to new research which reveals how breast cancer cells can migrate to bone marrow and lie dormant until after treatment.2016-05-26T12:51:00Z2016-05-26T14:27:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/-Macmillan-Cancer-Support-comments-on-latest-breast-cancer-research.aspxNumber of cancer carers in the uk rises to almost 1.5 millionThe number of people caring for someone with cancer in the UK has risen to almost 1.5 million, an increase of almost a third (31%) in the past five years, according to new research from Macmillan Cancer Support.2016-05-23T01:00:00Z2016-05-20T18:00:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Number-of-cancer-carers-in-the-uk-rises-to-almost-1.5-million.aspxBritish brand Tatty Devine launch exclusive range at M&S for Macmillan Cancer SupportIconic jewellery brand Tatty Devine has designed a fun, craft-inspired limited edition range for Macmillan Cancer Support, available at M&S stores this autumn.2016-05-20T17:58:00Z2016-05-20T17:54:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/British-brand-Tatty-Devine-launch-exclusive-range-At-M&S-for-Macmillan-Cancer-Support.aspxMacmillan Cancer Support responds to Hospice UK's report about local plans for end of life careLynda Thomas, Chief Executive of Macmillan Cancer Support, responds to 'A low priority? How local health and care plans overlook the needs of dying people', a report by Hospice UK2016-05-20T17:55:00Z2016-05-20T17:49:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Macmillan-Cancer-Support-responds-to-Hospice-UKs-report-about-local-plans-for-end-of-life-care.aspxMacmillan Cancer Support responds to The King's Fund report on patient careLynda Thomas, Chief Executive of Macmillan Cancer Support responds to a report by The King's Fund which shows that 3.7 million patients in England are waiting for hospital treatment, an increase of 17% in the last year2016-05-20T17:40:00Z2016-05-20T17:39:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Macmillan-Cancer-Support-responds-to-The-Kings-Fund-report-on-patient-care.aspxCancer patients with depression 'struggle to get their lives back after treatment'People with depression are significantly less likely to recover well after treatment for colorectal cancer compared to those without depression2016-05-20T17:40:00Z2016-05-20T17:33:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Cancer-patients-with-depression-struggle-to-get-their-lives-back-after-treatment.aspxPoundland donates over £670,000 to Macmillan Cancer Support From sales of plastic carrier bagsPoundland has today announced it will be donating over £670,000 to its national charity partner Macmillan Cancer Support from the sales of its plastic carrier bags.2016-05-20T17:37:00Z2016-05-20T17:36:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Poundland-donates-over-£670,000-to-Macmillan-Cancer-Support-From-sales-of-plastic-carrier-bags.aspxMacmillan Cancer Support launches partnership with PizzaExpressToday Macmillan Cancer Support has announced a new partnership with PizzaExpress restaurants.2016-05-20T17:30:00Z2016-05-20T17:26:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Macmillan-Cancer-Support-launches-partnership-with-PizzaExpress.aspxMacmillan Cancer Support responds to dying matters awareness week pollNicole Woodyatt, End of Life Care Programme Lead at Macmillan Cancer Support responds to a National Council for Palliative Care (NCPC) poll for Dying Matter Awareness Week.2016-05-20T17:23:00Z2016-05-20T18:02:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Macmillan-Cancer-Support-responds-to-dying-matters-awareness-week-poll.aspxMacmillan Cancer Support responds to care quality commission report on end of life careLynda Thomas, Chief Executive of Macmillan Cancer Support responds to the Care Quality Commission's report on end of life care2016-05-20T17:12:00Z2016-05-20T17:04:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Macmillan-Cancer-Support-responds-to-care-quality-commission-report-on-end-of-life-care.aspxMacmillan Cancer Support responds to NHS England cancer plansDr Fran Woodard, Executive Director of Policy and Impact at Macmillan Cancer Support responds to NHS England's announcement of implementation plans for the cancer strategy.2016-05-20T17:12:00Z2016-05-20T17:11:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Macmillan-Cancer-Support-responds-to-NHS-England-cancer-plans.aspxAverage British family can't afford cancer warns MacmillanThe average family in the UK would not be able to afford cancer, and could be forced to find hundreds of pounds a month if they were hit by the disease, according to new analysis released today by Macmillan Cancer Support.2016-05-20T17:04:00Z2016-05-20T17:06:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Average-British-family-cant-afford-cancer-warns-Macmillan.aspxMillions of men 'don't know how' to talk about cancer symptoms, new research showsMacmillan Cancer Support warns of dangers of ignoring cancer symptoms and launches campaign targeting those most at risk.2016-05-20T16:59:00Z2016-05-20T16:53:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Millions-of-men-dont-know-how-to-talk-about-cancer-symptoms,-new-research-shows-.aspxEnd of life care heading for a 'meltdown' without funding boost, charity warnsNew estimates from Macmillan Cancer Support show growing demand for end of life care will put an 'intolerable' strain on the NHS and social services.2016-05-20T16:51:00Z2016-05-20T16:55:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/End-of-life-care-heading-for-a-meltdown-without-funding-boost,-charity-warns.aspxEnd of life care heading for a 'meltdown' without funding boost, charity warnsInformation on End of life care heading for a 'meltdown' without funding boost, charity warns2016-04-27T00:00:00Z2016-04-27T10:51:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Endoflifecareheadingforameltdownwithoutfundingboost,charitywarns.aspxMacmillan Cancer Support responds to new findings for the National Survey of Bereaved PeopleDr Fran Woodard, Executive Director of Policy and Impact at Macmillan Cancer Support says the findings from the National Survey of Bereaved People make for "very sobering reading".2016-04-22T12:44:00Z2016-04-27T19:16:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstonewfindingsfortheNationalSurveyofBereavedPeople.aspxOne in five cancer patients go to bed early just to stay warmToday Macmillan and npower are committing to helping even more people diagnosed with cancer focus on getting better, rather than worrying about their energy consumption.2016-04-19T11:35:00Z2016-04-27T21:15:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Oneinfivecancerpatientsgotobedearlyjusttostaywarm.aspxCare for cancer patients still expensive almost a decade after treatmentA new study conducted by City University London and commissioned by Macmillan Cancer Support reveals that hospital care for the average patient diagnosed with the four most common cancers costs the NHS in England £10,000 in their first year of diagnosis – but nine years on is still costing £2,000 a year.2016-04-15T12:29:00Z2016-04-27T17:31:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Careforcancerpatientsstillexpensivealmostadecadeaftertreatment.aspxMacmillan Cancer Support responds to ONS statistics on geographic patterns of cancer survival in EnglandDr Fran Woodard Executive Director of Policy and Impact at Macmillan Cancer Support responds to figures from the Office for National Statistics (ONS) on cancer survival rate variations across England.2016-03-24T12:37:00Z2016-04-27T19:24:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstoONSstatisticsongeographicpatternsofcancersurvivalinEngland.aspxMacmillan challenges runners to OutRun May and support people affected by cancerOutRun is coming this May. It's a running challenge with a difference. One that pushes you to run further for 31 days, outrun your own expectations and raise money for people affected by cancer.2016-03-23T13:02:00Z2016-04-27T20:00:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanchallengesrunnerstoOutRunMayandsupportpeopleaffectedbycancer.aspxMacmillan Cancer Support responds to statement on Personal Independence PaymentsDr Fran Woodard, Executive Director of Policy and Impact at Macmillan Cancer Support, welcomes the government's decision to not go ahead with proposed changes to the criteria for Personal Independence Payments2016-03-22T15:07:00Z2016-04-27T19:33:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstostatementonPersonalIndependencePayments.aspxNational Gardens Scheme donates £1.5 million to Macmillan Cancer Support Service AppealThe National Gardens Scheme has announced it will donate £1.5 million towards the Macmillan Chesterfield Appeal2016-03-18T12:57:00Z2016-04-27T20:58:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/NationalGardensSchemedonates15milliontoMacmillanCancerSupportServiceAppeal.aspxTwo Macmillan fundraisers back for 2016Macmillan Cancer Support is urging schools, nurseries and uniform groups across the UK to help raise awareness and vital funds via Dress Up and Dance and flagship fundraiser World's Biggest Coffee Morning.2016-03-17T17:44:00Z2016-04-27T22:03:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/TwoMacmillanfundraisersbackfor2016.aspxMacmillan Cancer Support responds to the 2016 budgetLynda Thomas, Chief Executive of Macmillan Cancer Support, responds to the 2016 Budget.2016-03-16T16:06:00Z2016-04-27T19:34:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstothe2016budget.aspxMacmillan Cancer Support responds to the latest cancer waiting times figuresDr Fran Woodard, Executive Director of Policy and Impact at Macmillan Cancer Support, responding to the cancer waiting times statistics for January 2016.2016-03-10T13:40:00Z2016-04-27T19:41:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstothelatestcancerwaitingtimesfigures.aspxMacmillan Cancer Support responds to Lords vote on Welfare Reform and Work billLucy Schonegevel, public affairs manager at Macmillan Cancer Support, responds to the Lords vote amending the Welfare Reform and Work Bill2016-03-01T12:41:00Z2016-04-27T19:10:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstoLordsvoteonWelfareReformandWorkbill1.aspx'Dismaying' figures show almost 50,000 people died with poor care in last 12 monthsLeading charities warn the government that end of life care is 'on the brink'2016-02-26T00:01:00Z2016-04-27T17:48:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Dismayingfiguresshowalmost50,000peoplediedwithpoorcareinlast12months.aspxMacmillan Cancer Support responds to vote on Welfare Reform and Work Bill in the CommonsDr Fran Woodard, Executive Director of Policy and Impact at Macmillan Cancer Support responds to the vote on proposed changes to ESA in the Commons.2016-02-24T10:12:00Z2016-04-27T19:49:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstovoteonWelfareReformandWorkBillintheCommons.aspxMacmillan Cancer Support responds to rise in cancer diagnosesDr Fran Woodard, Director of Policy and Impact at Macmillan Cancer Support responds to new statistics released from the Office for National Statistics2016-02-23T11:58:00Z2016-04-27T19:33:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstoriseincancerdiagnoses.aspx£27.6 million raised by Macmillan's World's Biggest Coffee MorningMacmillan Cancer Support celebrated the 25th World's Biggest Coffee Morning by raising a record breaking £27.6million for people affected by cancer.2016-02-22T12:33:00Z2016-04-27T16:50:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/276millionraisedbyMacmillansWorldsBiggestCoffeeMorning.aspxThousands of cancer patients are spending their final hours in painMacmillan Cancer Support says the government must give end of life care a major overhaul to prevent more "pain and heartbreak".2016-02-15T12:51:00Z2016-04-27T21:59:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Thousandsofcancerpatientsarespendingtheirfinalhoursinpain1.aspxThousands of cancer patients are spending their final hours in painMacmillan Cancer Support says the government must give end of life care a major overhaul to prevent more "pain and heartbreak".2016-02-13T00:01:00Z2016-04-27T21:59:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Thousandsofcancerpatientsarespendingtheirfinalhoursinpain.aspxMacmillan Cancer Support responds to national cancer waiting timesDr Fran Woodard, Director of Policy and Impact at Macmillan Cancer Support responds to the cancer waiting times statistics for December 2015, released today by NHS England.2016-02-11T16:21:00Z2016-04-27T19:11:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstonationalcancerwaitingtimes.aspxMacmillan Cancer Support comments on falling cancer death ratesFran Woodard, Director of Policy and Impact at Macmillan Cancer Support responds to research from Cancer Research UK showing a 10 per cent drop in cancer death rates.2016-02-04T12:58:00Z2016-04-27T18:41:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportcommentsonfallingcancerdeathrates.aspxLate charity leader Liz Monks' fundraising legacy lives onInformation on Late charity leader Liz Monks' fundraising legacy lives on2016-02-01T12:33:00Z2016-04-27T18:21:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/LatecharityleaderLizMonksfundraisinglegacyliveson.aspxMacmillan's Chief Executive Lynda Thomas responds to the death of Terry WoganLynda Thomas, Chief Executive at Macmillan Cancer Support comments on the sad and sudden death of Sir Terry Wogan.2016-02-01T12:28:00Z2016-04-27T20:43:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillansChiefExecutiveLyndaThomasrespondstothedeathofTerryWogan.aspxMacmillan Cancer Support responds to Lords vote on welfare reform and work billLynda Thomas, Chief Executive, Macmillan Cancer Support responds to the Lord's vote on proposed changes to Employment and Support Allowance in the Welfare Reform and Work Bill.2016-01-28T10:37:00Z2016-04-27T19:09:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstoLordsvoteonwelfarereformandworkbill.aspxLonely cancer patients 'suffering in silence', new research showsThis Cancer Talk Week, Macmillan is calling on people with cancer who are lonely to reach out for support.2016-01-25T00:01:00Z2016-04-27T18:25:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Lonelycancerpatientssufferinginsilence,newresearchshows.aspxDIARY NOTE - Adrenaline Rush 2016Urban obstacle raceseries Adrenaline Rush.2016-01-22T17:35:00Z2016-04-27T17:48:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/DIARYNOTE-AdrenalineRush2016.aspxFormer Bowie keys player Rick Wakeman releases piano version of Life on Mars in aid of MacmillanFollowing the overwhelming response to Rick Wakeman's piano tribute to David Bowie, Rick has recorded new piano versions of both Life on Mars and Space Oddity with royalties going to Macmillan Cancer Support.2016-01-22T12:41:00Z2016-04-27T17:58:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/FormerBowiekeysplayerRickWakemanreleasespianoversionofLifeonMarsinaidofMacmillan.aspx'Don't tell cancer patients to take it easy' says Macmillan Cancer SupportCharity says patients need support from friends and family in order to reap the many benefits of physical activity.2016-01-20T00:01:00Z2016-04-27T17:49:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/DonttellcancerpatientstotakeiteasysaysMacmillanCancerSupport.aspxM&S raises record £2 million For Macmillan Cancer Support in 2015The generosity of Marks & Spencer's customers and employees has seen the retailer raise more than £2 million for Macmillan Cancer Support in 2015 alone.2016-01-19T10:00:00Z2016-04-27T20:58:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MSraisesrecord2millionForMacmillanCancerSupportin2015.aspxMacmillan Cancer Support responds to new cancer waiting times figuresLynda Thomas, Chief Executive of Macmillan Cancer Support comments on the latest cancer waiting times.2016-01-14T16:38:00Z2016-04-27T19:14:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstonewcancerwaitingtimesfigures14-01-2016.aspxBenefits cuts put cancer patients at risk of homelessnessInformation on Benefits cuts put cancer patients at risk of homelessness2016-01-11T00:01:00Z2016-04-27T17:10:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Benefitscutsputcancerpatientsatriskofhomelessness.aspxMacmillan Cancer Support responds to Pulse investigation on GP referralsInformation on Macmillan Cancer Support responds to Pulse investigation on GP referrals2016-01-08T15:59:00Z2016-04-27T18:29:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Macmillan Cancer Support responds to Pulse investigation on GP referrals2.aspx7,000 colorectal cancer survivors struggle to cope with daily life years after diagnosisMacmillan is concerned about "woeful lack of support" for cancer survivors and calls on Government to take action.2015-12-30T00:01:00Z2016-04-27T16:56:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/7,000colorectalcancersurvivorsstruggletocopewithdailylifeyearsafterdiagnosis.aspxCelebrities Auction Dream Christmas Stockings for Macmillan Cancer SupportMacmillan's annual Celebrity Christmas Stocking Auction took place in The Park Lane Hotel in London on Tuesday 8th December 2015.2015-12-21T16:19:00Z2016-04-27T17:35:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/CelebritiesAuctionDreamChristmasStockingsforMacmillanCancerSupport.aspxMacmillan Cancer Support responds to report on caring for people with a terminal illnessDr Fran Woodard, Executive Director of Policy and Impact at Macmillan Cancer Support comments on Marie Curie's Hidden Costs of Caring report.2015-12-15T00:01:00Z2016-04-27T19:31:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstoreportoncaringforpeoplewithaterminalillness.aspxStars attend Macmillan Cancer Support's Guards Chapel Carol ConcertMacmillan Cancer Support's prestigious Guards Chapel Christmas Carol Concert took place last night (Thursday 3 December).2015-12-10T17:01:00Z2016-04-27T21:42:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/StarsattendMacmillanCancerSupportsGuardsChapelCarolConcert.aspxStars help raise funds at Macmillan Annual BallMacmillan Cancer Support's Annual Ball has surpassed all expectations by raising over £280,000, with funds still coming in. The fundraising ball at The Savoy was hosted by Louise Minchin and attended by a host of famous faces.2015-12-10T16:52:00Z2016-04-27T21:42:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/StarshelpraisefundsatMacmillanAnnualBall.aspxMacmillan Cancer Support responds to October cancer waiting timesDr Fran Woodard, Director of Policy and Impact at Macmillan Cancer Support comments on new cancer waiting times published for October.2015-12-10T13:12:00Z2016-04-27T19:23:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstoOctobercancerwaitingtimes.aspxEmergency care for cancer patients costs the NHS at least £500m a yearMacmillan Cancer Support warns that lack of post-diagnosis support is putting 'unsustainable' pressure on the NHS2015-12-08T00:01:00Z2016-04-27T17:51:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/EmergencycareforcancerpatientscoststheNHSatleast500mayear.aspxCancer patients can't afford ChristmasAlmost 170,000 (7%) people with cancer in Britain are unable to celebrate special family events such as Christmas and birthdays due to lack of money, according to new research commissioned by Macmillan Cancer Support and carried out by Truth Consulting.2015-11-30T00:01:00Z2016-04-27T17:25:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/CancerpatientscantaffordChristmas.aspxMacmillan Cancer Support responds to the Comprehensive Spending Review and Autumn StatementJuliet Bouverie, Director of Services and Influencing, Macmillan Cancer Support responds to the Government's comprehensive spending review and autumn statement.2015-11-25T17:42:00Z2016-04-27T18:30:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Macmillan Cancer Support responds to the Comprehensive Spending Review and Autumn Statement.aspxMacmillan Cancer Support responds to news on NHS spendingLynda Thomas, Chief Executive, Macmillan Cancer Support responds to reports on NHS spending ahead of the comprehensive spending review.2015-11-24T13:18:00Z2016-04-27T19:20:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstonewsonNHSspending.aspxCelebrities' Dream Christmas Stockings Yours for the BiddingMacmillan Cancer Support's Christmas Stocking Auction Goes Live Online.2015-11-23T15:07:00Z2016-04-27T17:36:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/CelebritiesDreamChristmasStockingsYoursfortheBidding.aspxThe cancer burden: even rare forms of disease affect tens of thousands in UKMacmillan Cancer Support calls for tailored support for cancer patients.2015-11-20T00:01:00Z2016-04-27T21:52:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/ThecancerburdenevenrareformsofdiseaseaffecttensofthousandsinUK.aspxFestive fashion accessories supporting Text SantaWith Christmas just around the corner, these fantastic sparkly Text Santa charity pin badges are the perfect seasonal accessory to jazz up your favourite festive outfits, with 100% of the proceeds going to support three deserving charities - Macmillan Cancer Support, Make-A-Wish® UK and Save the Children.2015-11-17T00:01:00Z2016-04-27T17:56:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/FestivefashionaccessoriessupportingTextSanta.aspxMacmillan Cancer Support responds to new cancer waiting times figuresDr Fran Woodard, Director of Policy and Impact at Macmillan Cancer Support, comments on new cancer waiting times published for September.2015-11-13T10:57:00Z2016-04-27T19:13:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstonewcancerwaitingtimesfigures.aspxMacmillan Cancer Support celebrates 40 years of 'passionate and inspiring' professionalsMacmillan Cancer Support will mark the 40th anniversary of its first Macmillan nurse today at the charity's annual professionals conference in Birmingham.2015-11-11T10:20:00Z2016-04-27T18:39:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportcelebrates40yearsofpassionateandinspiringprofessionals.aspxMore than four in ten cancer carers doing healthcare tasks get no trainingMacmillan calls for urgent action from the NHS in England and local authorities as six months after Care Act carers still left unsupported.2015-11-05T09:39:00Z2016-04-27T20:56:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Morethanfourintencancercarersdoinghealthcaretasksgetnotraining.aspxMacmillan Cancer Support responds to OECD report on healthcare qualityDr Fran Woodard, Director of Policy and Impact, Macmillan Cancer Support responds to the Organisation for Economic Co-operation and Development's report on healthcare quality in 34 countries.2015-11-04T17:24:00Z2016-04-27T19:24:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstoOECDreportonhealthcarequality.aspxCelebrating Living Wage WeekInformation on Celebrating Living Wage Week2015-11-04T09:19:00Z2016-04-27T17:34:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/CelebratingLivingWageWeek.aspxHome Retail Group raises £1.1million for Macmillan Cancer Support and the Irish Cancer SocietyThe money will fund 42,814 hours of Macmillan nursing care for people affected by cancer in the UK2015-11-03T15:20:00Z2016-04-27T18:10:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/HomeRetailGroupraises11millionforMacmillanCancerSupportandtheIrishCancerSociety.aspxMacmillan responds to news that 1/4 of Londoners diagnosed with cancer at A&E die within two monthsDr Fran Woodard, Executive Director of Policy and Impact at Macmillan Cancer Support responds to research presented at the NCRI conference which reveals that a quarter of patients diagnosed with cancer after going to London A&E departments will have died within two months.2015-11-02T10:00:00Z2016-04-27T20:25:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Macmillanrespondstonewsthat14ofLondonersdiagnosedwithcanceratAEdiewithintwomonths.aspx200,000 people with cancer living in deprivationNew data highlights alarming numbers of people living with cancer in the most deprived areas at risk of the financial impact of the disease.2015-11-02T00:01:00Z2016-04-27T16:48:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/200,000peoplewithcancerlivingindeprivation.aspx24-hour gaming marathon for MacmillanMacmillan Cancer Support is delighted to announce a new fundraising event involving the biggest gamers playing the most popular games in a 24-hour marathon.2015-10-29T12:37:00Z2016-04-27T16:49:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/24-hourgamingmarathonforMacmillan.aspxMacmillan Cancer Support responds to findings that cuts to ESA will make people return to work laterDr Fran Woodard, Executive Director of Policy and Impact of Macmillan Cancer Support, responds to findings from the Disability Benefits Consortium (DBC) which show the potential impact on disabled and ill people of the proposed cuts to Employment Support Allowance.2015-10-27T00:01:00Z2016-04-27T18:56:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstofindingsthatcutstoESAwillmakepeoplereturntoworklater.aspxMacmillan Cancer Support's Guards Chapel Christmas Carol ConcertMacmillan Cancer Support invites you to attend its prestigious Guards Chapel Christmas Carol Concert this year on Thursday 3 December.2015-10-26T15:37:00Z2016-04-27T19:50:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportsGuardsChapelChristmasCarolConcert.aspxAt least 120,000 UK cancer patients depend on charity to cope financially in a yearAt least 120,000 people with cancer in the UK depended on Macmillan Cancer Support to cope financially in 2014.2015-10-23T00:01:00Z2016-04-27T17:07:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Atleast120,000UKcancerpatientsdependoncharitytocopefinanciallyinayear.aspxMacmillan Cancer Support responds to research on GP cancer referrals published in the BMJDr Rosie Loftus, Joint Chief Medical Officer of Macmillan Cancer Support responds to research published in the British Medical Journal which found that a lack of referrals for suspected cancer is linked to more deaths.2015-10-14T07:00:00Z2016-04-27T19:32:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstoresearchonGPcancerreferralspublishedintheBMJ.aspxHeron Foods launches one year partnership with Macmillan Cancer SupportHeron Foods stores celebrating the launch of their charity partnership with Macmillan's World's Biggest Coffee Morning2015-10-08T17:16:00Z2016-04-27T18:09:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/HeronFoodslaunchesoneyearpartnershipwithMacmillanCancerSupport.aspxP&O Cruises celebrates whipping up £1million for Macmillan Cancer Support with celebrity chef Eric LanlardP&O Cruises staff, crew and passengers raise £1million for people affected by cancer2015-10-08T17:05:00Z2016-04-27T21:22:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/POCruisescelebrateswhippingup1millionforMacmillanCancerSupportwithcelebritychefEricLanlard.aspxMacmillan Cancer Support responds to BMJ article on preferred place of deathLynda Thomas, Chief Executive at Macmillan Cancer Support responds to the BMJ's article titled 'Is home always the best and preferred place of death?'2015-10-08T10:10:00Z2016-04-27T18:48:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstoBMJarticleonpreferredplaceofdeath.aspxMacmillan Responds to Economist Intelligence Report on end of life careAdrienne Betteley, end of life care programme lead at Macmillan Cancer Support, comments on the Economist Intelligence Unit's report into end of life care.2015-10-06T09:23:00Z2016-04-27T20:11:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanRespondstoEconomistIntelligenceReportonendoflifecare.aspxMacmillan Cancer Support responds to Pulse investigation on GP referralsDr Rosie Loftus, Joint Chief Medical Officer at Macmillan Cancer Support responds to an investigation by Pulse magazine which shows that at least nine CCGs, practices are being offered payment for keeping within targets for some cancer referrals.2015-10-01T14:43:00Z2016-04-27T19:29:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstoPulseinvestigationonGPreferrals.aspxAlmost 400,000 people with cancer struggle to pay bills because of diagnosisAlmost 400,000 people living with cancer each year struggle to keep up with their household bills and credit commitments as a result of their diagnosis, according to a new survey by Macmillan Cancer Support.2015-10-01T09:31:00Z2016-04-27T17:02:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Almost400,000peoplewithcancerstruggletopaybillsbecauseofdiagnosis.aspxMacmillan Cancer Support hires Richard Taylor as Interim Director of Fundraising, Marketing & CommunicationsMacmillan Cancer Support is pleased to announce the appointment of Richard Taylor who will join the charity as Interim Executive Director of Fundraising, Marketing and Communications on 1st October 2015.2015-09-30T12:49:00Z2016-04-27T18:45:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupporthiresRichardTaylorasInterimDirectorofFundraising,MarketingCommunications.aspxWorld's Biggest Coffee Morning is this week – and there's still time to get involved!Across the UK people are preparing to rise to the challenge for Macmillan Cancer Support's flagship fundraiser, World's Biggest Coffee Morning.2015-09-22T12:47:00Z2016-04-27T22:10:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/WorldsBiggestCoffeeMorningisthisweek–andtheresstilltimetogetinvolved!.aspxMacmillan Cancer Support wins four awards for its corporate partnershipsMacmillan Cancer Support was honoured with four awards at the 2015 Corporate Engagement Awards last night for its partnerships with Boots UK and Sheilas' Wheels.2015-09-18T11:29:00Z2016-04-27T19:59:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportwinsfourawardsforitscorporatepartnerships.aspxYou've bean framed! Artist creates celebrity portraits for Macmillan's Coffee Morning fundraiserAs excitement builds for this year's World's Biggest Coffee Morning, Macmillan Cancer Support has teamed up with food artist Nathan Wyburn to create hand painted portraits of our celebrity supporters – out of coffee!2015-09-17T11:37:00Z2016-04-27T22:10:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Youvebeanframed!ArtistcreatescelebrityportraitsforMacmillansCoffeeMorningfundraiser.aspxMacmillan Cancer Support responds to news that carers neglect own healthCharlotte Argyle responds to new research from the HSCIC which shows that 1 in 7 carers in England neglect their own health due to their caring duties.2015-09-16T16:52:00Z2016-04-27T19:20:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstonewsthatcarersneglectownhealth.aspxMacmillan Cancer Support responds to Public Health England research on cancers being diagnosed earlier in EnglandNew research from Public Health England, being presented at the second day of the PHE Conference 2015, reveals that cancers are being diagnosed earlier in England.2015-09-16T00:01:00Z2016-04-27T19:29:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstoPublicHealthEnglandresearchoncancersbeingdiagnosedearlierinEngland.aspxGavin and Stacey stars reunite to celebrate Macmillan's 25th Coffee MorningLarry Lamb and Alison Steadman have reprised their infamous Gavin and Stacey characters of 'Pam-la and Mick' to celebrate the 25th anniversary of Macmillan Cancer Support's World's Biggest Coffee Morning.2015-09-15T15:27:00Z2016-04-27T18:00:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/GavinandStaceystarsreunitetocelebrateMacmillans25thCoffeeMorning.aspxMacmillan Cancer Support responds to the International Longevity Centre's research on cancer's cost to the economyDuleep Allirajah, Head of Policy at Macmillan Cancer Support, responds to the International Longevity Centre's research on cancer's cost to the economy.2015-09-15T09:36:00Z2016-04-27T19:40:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstotheInternationalLongevityCentresresearchoncancerscosttotheeconomy.aspxAlmost half of people with terminal cancer rely solely on family and friends for practical supportAlmost half of people with terminal cancer rely solely on family and friends for practical support2015-09-15T00:01:00Z2016-04-27T17:02:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Almosthalfofpeoplewithterminalcancerrelysolelyonfamilyandfriendsforpracticalsupport.aspxMacmillan Cancer Support responds to government commitment to a recovery package and faster diagnosis for cancer patientsJuliet Bouverie responds to the Government's commitment to a tailored recovery package by 2020, faster diagnosis and a new quality of life measure for people with cancer in England.2015-09-13T00:01:00Z2016-04-27T18:57:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstogovernmentcommitmenttoarecoverypackageandfasterdiagnosisforcancerpatients.aspxMacmillan Cancer Support responds to cancer waiting time targetMacmillan Cancer Support responds to cancer waiting time target2015-09-10T16:12:00Z2016-04-27T18:51:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstocancerwaitingtimetarget.aspxITV reveals its Text Santa charity partners as Macmillan Cancer Support, Make-a-Wish® UK and Save the ChildrenITV reveals its Text Santa charity partners as Macmillan Cancer Support, Make-a-Wish® UK and Save the Children2015-09-08T15:32:00Z2016-04-27T18:14:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/ITVrevealsitsTextSantacharitypartnersasMacmillanCancerSupport,Make-a-Wish®UKandSavetheChildren.aspxMacmillan Cancer Support responds to the publication of Ambitions for Palliative and End of Life CareMacmillan Cancer Support responds to the publication of Ambitions for Palliative and End of Life Care2015-09-08T10:39:00Z2016-04-27T19:45:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstothepublicationofAmbitionsforPalliativeandEndofLifeCare.aspxRaise a mug to the 25th World's Biggest Coffee Morning this SeptemberRaise a mug to the 25th World's Biggest Coffee Morning this September2015-09-07T15:10:00Z2016-04-27T21:27:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Raiseamugtothe25thWorldsBiggestCoffeeMorningthisSeptember.aspx2015 World's Biggest Coffee Morning Facts2015 World's Biggest Coffee Morning Facts2015-09-07T15:05:00Z2016-04-27T16:48:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/2015WorldsBiggestCoffeeMorningFacts.aspxMacmillan Cancer Support responds to news that older women with ovarian cancer are less likely to get surgeryMacmillan Cancer Support responds to news that older women with ovarian cancer are less likely to get surgery.2015-09-07T09:33:00Z2016-04-27T19:21:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstonewsthatolderwomenwithovariancancerarelesslikelytogetsurgery.aspxMacmillan Cancer Support responds to variation in head and neck cancer survival ratesMacmillan Cancer Support responds to variation in head and neck cancer survival rates.2015-09-03T11:04:00Z2016-04-27T19:49:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstovariationinheadandneckcancersurvivalrates.aspxMacmillan Cancer Support responds to Ian Duncan Smith's speech on sickness benefitsStatement from Macmillan responding to an Ian Duncan Smith speech on sickness benefits.2015-08-24T14:53:00Z2016-04-27T19:01:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstoIanDuncanSmithsspeechonsicknessbenefits.aspxOlder people with cancer 'not more likely to refuse treatment', says MacmillanOlder people are no more likely to refuse cancer treatment than younger people, according to a new study of over 1,500 people commissioned by Macmillan Cancer Support and carried out by Ipsos MORI.2015-08-20T09:40:00Z2016-04-27T21:14:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Olderpeoplewithcancernotmorelikelytorefusetreatment,saysMacmillan.aspxBin the Booze this OctoberGo Sober for October – Diary Marker for Macmillan Cancer Support's fundraiser2015-08-17T17:00:00Z2016-04-27T17:11:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/BintheBoozethisOctober.aspxMacmillan Cancer Support responds to latest cancer waiting times statisticsMacmillan Cancer Support responds to latest cancer waiting times statistics2015-08-13T13:34:00Z2016-04-27T19:06:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstolatestcancerwaitingtimesstatistics.aspxThe National Gardens Schemes raises a record £15 million for Macmillan Cancer SupportThe National Gardens Scheme raises a record £15 million for Macmillan Cancer Support2015-07-29T09:35:00Z2016-04-27T21:55:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/TheNationalGardensSchemeraisesarecord15millionforMacmillanCancerSupport.aspxMacmillan Cancer Support responds to the Independent Cancer Taskforce's strategy for cancerMacmillan Cancer Support responds to the Independent Cancer Taskforce's strategy for cancer2015-07-19T00:01:00Z2016-04-27T19:39:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstotheIndependentCancerTaskforcesstrategyforcancer.aspxMacmillan Cancer Support responds to latest ONS cancer incidence figuresMacmillan Cancer Support responds to latest ONS cancer incidence figures2015-07-10T11:44:00Z2016-04-27T19:07:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstolatestONScancerincidencefigures.aspxMacmillan Cancer Support responds to 2014 National Survey of Bereaved People dataMacmillan Cancer Support responds to 2014 National Survey of Bereaved People data2015-07-09T14:13:00Z2016-04-27T18:47:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondsto2014NationalSurveyofBereavedPeopledata.aspxMacmillan Cancer Support responds to the Chancellor's budgetMacmillan Cancer Support responds to the Chancellor's 2015 budget2015-07-08T15:47:00Z2016-04-27T19:35:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstotheChancellorsbudget.aspxAlmost 2 in 3 Brits have a family member or close friend with cancer, reveals Macmillan Cancer SupportIn Britain 63 per cent of people currently have, or have had, a family member or a close friend with cancer, reveals Macmillan Cancer Support today2015-07-07T00:01:00Z2016-04-27T17:02:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Almost2in3Britshaveafamilymemberorclosefriendwithcancer,revealsMacmillanCancerSupport.aspxBritish designer Sophie Conran joins forces with Macmillan and M&S this World's Biggest Coffee MorningMacmillan Cancer Support's flagship fundraiser, World's Biggest Coffee Morning, is back and this year more stylish than ever before thanks to an exclusive design collaboration with World renowned British designer, Sophie Conran, and Marks & Spencer (M&S).2015-06-30T12:12:00Z2016-04-27T17:16:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/BritishdesignerSophieConranjoinsforceswithMacmillanandMSthisWorldsBiggestCoffeeMorning.aspxMacmillan Cancer Support responds to latest NICE guidance on cancerRosie Loftus, Joint Chief Medical Officer at Macmillan Cancer Support, responds to the latest National Institute for Care and Health (NICE) guidelines which calls to help GPs diagnose cancer earlier.2015-06-23T00:01:00Z2016-04-27T19:06:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstolatestNICEguidanceoncancer.aspxMore than 2 in 3 people diagnosed early with common cancers experience poor healthA new analysis from Macmillan Cancer Support has found that fewer than one in three people diagnosed with a common cancer at an early stage will go on to survive both long term and in relatively good health.2015-06-22T12:27:00Z2016-04-27T20:55:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Morethan2in3peoplediagnosedearlywithcommoncancersexperiencepoorhealth.aspxMACMILLAN CANCER SUPPORT RESPONDS TO PUBLICATION OF PERSONAL INDEPENDENCE PAYMENT STATISTICSDuleep Allirajah, Head of Policy at Macmillan Cancer Support, responds to the publication of the Personal Independence Payment official statistics by the Department of Work and Pensions,2015-06-17T11:29:00Z2016-04-27T19:28:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MACMILLANCANCERSUPPORTRESPONDSTOPUBLICATIONOFPERSONALINDEPENDENCEPAYMENTSTATISTICS17062015.aspxMACMILLAN'S RECENTLY DEPARTED CHIEF EXECUTIVE AWARDED KNIGHTHOODMacmillan Cancer Support's former Chief Executive Ciarán Devane has been awarded a knighthood for service to cancer patients in the Queen's Birthday Honours.2015-06-12T23:01:00Z2016-04-27T20:45:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MACMILLANSRECENTLYDEPARTEDCHIEFEXECUTIVEAWARDEDKNIGHTHOOD.aspxMACMILLAN CANCER SUPPORT RESPONDS TO NEWS THAT RARER CANCER DEATH RATES ARE GETTING WORSEJuliet Bouverie, Director of Services and Influencing at Macmillan Cancer Support responds to a new report from Cancer 52 and Public Health England which shows that death rates from rarer and less common cancers are increasing.2015-06-09T12:18:00Z2016-04-27T19:21:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MACMILLANCANCERSUPPORTRESPONDSTONEWSTHATRARERCANCERDEATHRATESAREGETTINGWORSE.aspxREVEALED: THE TOP TEN CONCERNS BURDENING PEOPLE WITH CANCERTop ten cancer needs revealed as a quarter of cancer patients struggle to manage the emotional impact of the disease2015-06-09T00:01:00Z2016-04-27T21:31:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/REVEALEDTHETOPTENCONCERNSBURDENINGPEOPLEWITHCANCER.aspxCANCER – NOT JUST AN OLD-AGE DISEASENew data reveals thousands living with breast, prostate, colorectal or lung cancer who were diagnosed under age of 452015-06-08T00:01:00Z2016-04-27T17:24:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/CANCER–NOTJUSTANOLD-AGEDISEASE.aspxMacmillan Cancer Support responds to new research which shows cancer survival linked to delays in referralProfessor Jane Maher, Joint Chief Medical Officer at Macmillan Cancer Support, comments on news that GPs in England, Wales and Northern Ireland are less likely to immediately refer people with possible cancer for tests or to a specialist than those in comparable countries.2015-05-28T11:36:00Z2016-04-27T19:19:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstonewresearchwhichshowscancersurvivallinkedtodelaysinreferral.aspxMacmillan Cancer Support responds to the Queen's SpeechDr Fran Woodard, Director of Policy and Research at Macmillan Cancer Support, responds to the health and welfare announcements in the Queen's speech.2015-05-27T13:43:00Z2016-04-27T19:47:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstotheQueensSpeech.aspxFAMILY MISFORTUNES: 1 MILLION FEUDING FAMILIES AS RELATIVES DIE WITH NO WILL IN PLACEMacmillan is encouraging people to talk more openly about their wishes this Dying Matters Awareness Week (18 -24 May) and consider leaving a gift to Macmillan2015-05-22T00:01:00Z2016-04-27T17:56:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/FAMILYMISFORTUNES1MILLIONFEUDINGFAMILIESASRELATIVESDIEWITHNOWILLINPLACE.aspxContinuous breach of cancer waiting times 'risking lives'Macmillan Cancer Support responds to the latest cancer waiting times statistics.2015-05-20T13:44:00Z2016-04-27T17:44:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/CONTINUOUSBREACHOFCANCERWAITINGTIMESRISKINGLIVES.aspxMacmillan Cancer Support responds to Ombudsman report into end of life careLynda Thomas, Chief Executive at Macmillan Cancer Support, responds to the Parliamentary and Health Service Ombudsman's report into end of life care in England.2015-05-20T00:01:00Z2016-04-27T19:24:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstoOmbudsmanreportintoendoflifecare.aspxLords and MPs get roped in for Macmillan Cancer SupportA selection of Lords and newly-elected MPs are limbering up for the 29th year of Macmillan Cancer Support's legendary House of Lords vs. House of Commons Tug of War event.2015-05-19T12:25:00Z2016-04-27T18:27:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/LordsandMPsgetropedinforMacmillanCancerSupport.aspxHome Retail Group partnership launch raises over £150,000 for Macmillan Cancer SupportHome Retail Group partnership launch raises enough money to fund over 5,700 Macmillan nursing hours in celebration of International Nurses Day.2015-05-12T14:05:00Z2016-04-27T18:10:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/HomeRetailGrouppartnershiplaunchraisesover150,000forMacmillanCancerSupport.aspxA quarter of us wake cringing at epic fails of nights outNew research from Macmillan Cancer Support reveals that Brits' nights out leave bruised bodies, egos and lost property. The charity calls for people to stay at home and host a "Night In" to raise money for Macmillan.2015-05-07T11:44:00Z2016-04-27T17:05:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Aquarterofuswakecringingatepicfailsofnightsout.aspxMacmillan Cancer Support responds to latest cancer survival statisticsDuleep Allirajah, Head of Policy at Macmillan Cancer Support, comments on the alarming and unacceptable variation in cancer survival rates across the country, shown in the latest cancer survival statistics in England.2015-04-28T14:15:00Z2016-04-27T19:05:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstolatestcancersurvivalstatistics28April.aspx1.8 million people are living with cancer and another long term conditionMacmillan Cancer Support says those living with cancer and another long term condition are more likely to have practical, personal and emotional needs than others with the disease.2015-04-22T00:01:00Z2016-04-27T16:48:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/18millionpeoplearelivingwithcancerandanotherlongtermcondition.aspxMacmillan Cancer Support responds to UKIP manifestoMacmillan respond to UKIP's manifesto for 2015 General Election.2015-04-15T15:08:00Z2016-04-27T19:48:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstoUKIPmanifesto.aspxMacmillan Cancer Support responds to Lib Dem ManifestoMacmillan respond to the Lib Dems' manifesto for UK General Election 2015.2015-04-15T14:54:00Z2016-04-27T19:08:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstoLibDemManifesto.aspxMacmillan Cancer Support responds to Green Party manifestoMacmillan respond to the Green Party's manifesto for the 2015 UK General Election.2015-04-14T14:05:00Z2016-04-27T18:59:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstoGreenPartymanifesto.aspxMacmillan Cancer Support responds to Conservative manifestoMacmillan respond to Conservative manifesto for 2015 UK General Election.2015-04-14T13:59:00Z2016-04-27T18:52:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstoConservativemanifesto.aspx4 out of 5 women choose a night in: Why more British women are now embracing JOMOMacmillan Cancer Support has is encouraging women to sign up to its 'Night In' fundraising event, following the finding that more than three quarters of British women would prefer to have a night in than go out.2015-04-14T00:01:00Z2016-04-27T16:54:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/4outof5womenchooseanightinWhymoreBritishwomenarenowembracingJOMO.aspxMacmillan Cancer Support responds to Labour Health ManifestoMacmillan respond to the publication of Labour's Health Manifesto for the 2015 UK General Election.2015-04-13T14:38:00Z2016-04-27T19:04:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstoLabourHealthManifesto.aspxMacmillan Cancer Support comments on latest Breast Cancer Care surveyDr Fran Woodard, Director of Policy and Research at Macmillan Cancer Support responds to new figures released by Breast Cancer Care.2015-04-13T09:50:00Z2016-04-27T18:42:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportcommentsonlatestBreastCancerCaresurvey.aspxMacmillan Cancer Support responds to LSE and Marie Curie report on palliative careGus Baldwin, Head of Public Affairs at Macmillan Cancer Support comments on the new report from the London School of Economics and Marie Curie on palliative care.2015-04-08T09:57:00Z2016-04-27T19:10:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstoLSEandMarieCuriereportonpalliativecare.aspxHas Macmillan got something to sprout about? Who nose!Macmillan launches Push A Sprout Up A Mountain With Your Snout challenge2015-04-01T00:01:00Z2016-04-27T18:09:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/HasMacmillangotsomethingtoshoutaboutWhonose!.aspxMacmillan Cancer Support responds to APPG on breast cancer report 'age is still just a number'Dr Fran Woodard, Director of Policy at Macmillan Cancer Support, responds to the All Party Parliamentary Group on Breast Cancer's latest report.2015-03-27T15:43:00Z2016-04-27T18:47:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstoAPPGonbreastcancerreportageisstilljustanumber.aspxMacmillan Cancer Support responds to the statement of intent for the Cancer Strategy 2015Juliet Bouverie, Director of Services and Influencing at Macmillan Cancer Support, comments on the Cancer Strategy for England 20152015-03-27T14:19:00Z2016-04-27T19:47:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstothestatementofintentfortheCancerStrategy2015.aspxMacmillan Cancer Support announces new partnership with Home Retail GroupPartnership aims to raise £3 million for people affected by cancer over two years.2015-03-27T10:41:00Z2016-04-27T18:37:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportannouncesnewpartnershipwithHomeRetailGroup.aspxMacmillan Cancer Support responds to new data from National Survey of Bereaved PeopleAdrienne Betteley, End of Life Care Programme Lead at Macmillan Cancer Support, gives comment on newly released data from the Office of Nationals Statistics' National Survey of Bereaved People2015-03-26T15:02:00Z2016-04-27T19:14:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstonewdatafromNationalSurveyofBereavedPeople.aspxMacmillan's Dress Up and Dance Fundraiser Returns For Third YearMacmillan Cancer Support is delighted to announce that fundraising initiative Dress Up and Dance will be returning in 20152015-03-26T13:04:00Z2016-04-27T20:43:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillansDressUpandDanceFundraiserReturnsForThirdYear.aspxMacmillan Cancer Support responds to Health Select Committee report on impact of physical activityMacmillan responds to the Health Select Committee's report on the impact of physical activity and diet on health2015-03-25T00:01:00Z2016-04-27T19:00:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MACMILLANCANCERSUPPORTRESPONDSTOHEALTHSELECTCOMMITTEEREPORTONIMPACTOFPHYSICALACTIVITY.aspxUK CANCER SURVIVAL RATES "STUCK IN THE 1990S" SAYS CHARITYMacmillan's new analysis of European cancer survival rates show the UK is lagging far behind.2015-03-24T00:01:00Z2016-04-27T22:04:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/UKCANCERSURVIVALRATESSTUCKINTHE1990SSAYSCHARITY.aspxMore than 30,000 men are living with advanced, incurable prostate cancer in the UKInformation on More than 30,000 men are living with advanced, incurable prostate cancer in the UK2015-03-20T11:22:00Z2016-04-27T20:55:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Morethan30000menarelivingwithadvancedincurableprostatecancerintheUK.aspxMacmillan Cancer Support responds to publication of the Personal Independence Payment statisticsDr Fran Woodard, Director of Policy and Research at Macmillan Cancer Support, responds to the publication of the Personal Independence Payment official statistics by the Department of Work and Pensions.2015-03-18T14:27:00Z2016-04-27T19:28:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstopublicationofthePersonalIndependencePaymentstatistics.aspxGREENE KING DONATES £30,000 TO MACMILLAN CANCER SUPPORT IPSWICH FUNDRAISING APPEALLocal retailer and brewer, Greene King, has today announced it will donate £30,000 towards the Woolverstone Macmillan Centre appeal, bringing the total raised so far to £80,000. The appeal aims to raise £3.7million to fund a brand new cancer treatment centre at Ipswich Hospital, combining the current outpatient chemotherapy and day unit services into one purpose-built centre.2015-03-17T13:47:00Z2016-04-27T18:05:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/GREENEKINGDONATES30,000TOMACMILLANCANCERSUPPORTIPSWICHFUNDRAISINGAPPEAL.aspxMACMILLAN CANCER SUPPORT RESPONDS TO HEALTH SELECT COMMITTEE REPORT ON END OF LIFEInformation on MACMILLAN CANCER SUPPORT RESPONDS TO HEALTH SELECT COMMITTEE REPORT ON END OF LIFE2015-03-15T00:01:00Z2016-04-27T19:00:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MACMILLANCANCERSUPPORTRESPONDSTOHEALTHSELECTCOMMITTEEREPORTONENDOFLIFE.aspxMacmillan Cancer Support responds to Public Accounts Committee reportJuliet Bouverie responds to the Public Accounts Committee Report 'Progress Improving Cancer Services and Outcomes in England'2015-03-12T00:01:00Z2016-04-27T18:29:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Macmillan Cancer Support responds to Public Accounts Committee report.aspxMacmillan Cancer Support responds to NHS England waiting time statisticsFran Woodard responds to the latest NHS England diagnostic waiting time statistics.2015-03-11T17:48:00Z2016-04-27T19:23:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstoNHSEnglandwaitingtimestatistics.aspxLack of social care causing devastating consequences for 100 000s of cancer patientsMacmillan publishes 'Hidden at Home – the social care needs of people with cancer'.2015-03-09T00:01:00Z2016-04-27T18:20:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Lackofsocialcarecausingdevastatingconsequencesfor100000sofcancerpatients.aspxNHS spends £100 million on legal action relating to cancer care in a decadeMacmillan calls for early diagnosis and a caring culture in the NHS to tackle rising costs after finding that £100 million has been spent on resolving legal claims related to cancer2015-03-04T16:53:00Z2016-04-27T21:09:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/NHSspends100milliononlegalactionrelatingtocancercareinadecade.aspxMacmillan Cancer Support appoints Lynda Thomas as new Chief ExecutiveMacmillan Cancer Support has appointed Lynda Thomas as its new Chief Executive.2015-03-04T15:53:00Z2016-04-27T18:39:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportappointsLyndaThomasasnewChiefExecutive.aspxMacmillan Cancer Support responds to breach of national cancer waiting timesNational cancer waiting times have been breached again, Macmillan Cancer Support responds.2015-02-18T11:52:00Z2016-04-27T18:48:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstobreachofnationalcancerwaitingtimes.aspxMacmillan Cancer Support responds to Freedom To Speak Up reportMacmillan Cancer Support responds to freedom to speak up report2015-02-11T14:51:00Z2016-04-27T18:57:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstofreedomtospeakupreport.aspxCancer survivors go into isolation to highlight plight of lonely cancer patientsMacmillan Cancer Support launch 'Isolation Box' in Paddington Station to coincide with new loneliness figures2015-02-11T10:44:00Z2016-04-27T17:31:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Cancersurvivorsgointoisolationtohighlightplightoflonelycancerpatients.aspxMacmillan Cancer Support responds to research which highlights one in two will get cancerNew research backs up previous Macmillan research which reveals that because of advances in healthcare, half of the UK population will get cancer in their lifetime.2015-02-04T00:01:00Z2016-04-27T19:32:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstoresearchwhichhighlightsoneintwowillgetcancer.aspxTerminal cancer patients with no care at home are more than twice as likely to die in hospitalCancer charity warns the number of people dying in hospital is creating 'unnecessary pressure' on NHS2015-01-30T00:01:00Z2016-04-27T21:49:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Terminalcancerpatientswithnocareathomearemorethantwiceaslikelytodieinhospital.aspxRecord breaking £25million raised by Macmillan's World's Biggest Coffee MorningMacmillan's 2014 World's Biggest Coffee Morning has raised a record breaking £25million for people affected by cancer.2015-01-29T10:52:00Z2016-04-27T21:27:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Recordbreaking25millionraisedbyMacmillansWorldsBiggestCoffeeMorning.aspxMacmillan Cancer Support responds to Labour's ten year plan for health and careJuliet Bouverie, Director of Services and Influencing at Macmillan Cancer Support, responds to Labour's announcement of a ten year plan for health and care.2015-01-28T15:49:00Z2016-04-27T19:05:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstoLabourstenyearplanforhealthandcare.aspxMacmillan Cancer Support responds to publication of Personal Independence Payment statisticsMacmillan responds to the DWP's publication of Personal Independence Payment statistics2015-01-28T12:38:00Z2016-04-27T19:27:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstopublicationofPersonalIndependencePaymentstatistics.aspx100,000 people diagnosed with cancer before the general electionNew estimates from Macmillan Cancer Support reveal that almost 100,000 people will be diagnosed with cancer in the UK in the 100 days leading up to the general election2015-01-27T00:01:00Z2016-04-27T16:45:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/100,000peoplediagnosedwithcancerbeforethegeneralelection.aspxNew survey of people living with cancer reveals unanswered questions are keeping them awake at nightTogether Boots UK and Macmillan Cancer Support are making it easier for people living with cancer to access the right support.2015-01-22T12:31:00Z2016-04-27T21:05:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Newsurveyofpeoplelivingwithcancerrevealsunansweredquestionsarekeepingthemawakeatnight.aspxInmotion Sport & Macmillan Cancer Support launch 'Adrenaline Rush'New urban assault course events coming to central locations in London, Glasgow, Manchester & Bristol2015-01-20T13:00:00Z2016-04-27T18:13:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/InmotionSportMacmillanCancerSupportlaunchAdrenalineRush.aspxP&O Cruises sails to fantastic £600,000 for Macmillan Cancer SupportLocal Southampton business celebrates record amount raised for leading cancer charity2015-01-20T00:01:00Z2016-04-27T21:22:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/POCruisessailstofantastic600,000forMacmillanCancerSupport.aspxMacmillan Cancer Support responds to Labour announcement on public healthMacmillan Cancer Support is delighted the Labour party have decided to place physical activity at the centre of their public health approach.2015-01-15T11:33:00Z2016-04-27T19:03:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstoLabourannouncementonpublichealth.aspxMacmillan Cancer Support responds to NAO report on cancer servicesMacmillan responds to news that there has been progress in improving cancer services and outcomes in England since 2010.2015-01-15T00:01:00Z2016-04-27T19:11:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstoNAOreportoncancerservices.aspxMacmillan Cancer Support responds to Labour announcement on carersMacmillan welcomes Labour's package of measures to improve support for carers, in particular the duty on health care professionals to identify carers.2015-01-14T00:01:00Z2016-04-27T19:03:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstoLabourannouncementoncarers.aspxMacmillan Cancer Support responds to NHS England's cancer taskforce announcementNHS England has announced a new cancer taskforce to improve cancer survival rates which will include the launch of a major early diagnosis programme with Macmillan Cancer Support.2015-01-12T09:55:00Z2016-04-27T19:22:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstoNHSEnglandscancertaskforceannouncement.aspxMacmillan launches support service for people affected by thyroid cancerMacmillan Cancer Support's first Thyroid Cancer Information Nurse Specialist has this week started work on the charity's national support line.2015-01-07T14:27:00Z2016-04-27T20:05:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Macmillanlaunchessupportserviceforpeopleaffectedbythyroidcancer.aspx2.5 million people now living with cancer in UK Macmillan reveals todayAs the number of people in the UK living with cancer reaches a record-high of 2.5 million, Macmillan warns that the surge in numbers is creating a cancer crisis of 'unmanageable proportions'.2015-01-06T00:01:00Z2016-04-27T16:50:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/25millionpeoplenowlivingwithcancerinUKMacmillanrevealstoday.aspxJOIN TEAM MACMILLAN AND GET YOUR YEAR OFF TO A FLYING STARTAfter the excess of Christmas and New Year, the beginning of 2015 will no doubt see much of the nation pledging to 'get fit' or 'lose those extra few pounds'. Whilst we all have the best intentions, it can be tough to stick to those resolutions in the cold winter months. To get your year off to a positive start, Macmillan Cancer Support is looking for even more people to sign up to be a 2015 Team Macmillan hero.2014-12-22T13:05:00Z2016-04-27T18:16:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/JOINTEAMMACMILLANANDGETYOURYEAROFFTOAFLYINGSTART.aspxMacmillan responds to PIP Independent Review and quarterly statisticsJuliet Bouverie, Director of Services and Influencing at Macmillan Cancer Support, responds to the publication of the Personal Independence Payment (PIP) Independent Review and quarterly statistics.2014-12-17T16:34:00Z2016-04-27T20:30:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanrespondstoPIPIndependentReviewandquarterlystatistics.aspx250,000 people with cancer are unable to keep up with housing paymentsMacmillan responds to new statistics from the ONS that once again reveal the frightening reality of cancer mortality in the UK.2014-12-15T00:01:00Z2016-04-27T16:50:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/250,000 people with cancer are unable to keep up with housing payments.aspxMacmillan Cancer Support responds to latest ONS mortality statisticsMacmillan responds to new statistics from the ONS that once again reveal the frightening reality of cancer mortality in the UK.2014-12-11T14:49:00Z2016-04-27T19:08:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstolatestONSmortalitystatistics.aspxMacmillan Cancer Support responds to labour announcement on cancer treatments fundAndy Burnham has announced that if elected the Labour party would commit to an extra £330million of funding to pay for innovative cancer drugs, surgery and radiotherapy2014-12-09T13:29:00Z2016-04-27T19:03:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstolabourannouncementoncancertreatmentsfund.aspxMacmillan Cancer Support responds to cancer strategy announcementMacmillan Cancer Support is delighted that NHS England has today committed to a new national strategy and set of ambitions for cancer services in England to improve cancer care.2014-12-09T13:19:00Z2016-04-27T18:50:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstocancerstrategyannouncement.aspxMacmillan Cancer Support responds to Jeremy Hunt announcementJeremy Hunt has announced that the Government is on track to save an additional 5,000 lives as per the national cancer strategy.2014-12-09T13:06:00Z2016-04-27T19:02:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstoJeremyHuntannouncement.aspxCCGs to be held to account on one year cancer survival ratesAll Clinical Commissioning Groups will have to report on their one year cancer survival rates as part of the CCG Assurance Framework.2014-12-09T12:55:00Z2016-04-27T17:34:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/CCGSTOBEHELDTOACCOUNTONONEYEARCANCERSURVIVALRATES.aspxMacmillan Cancer Support responds to findings that older cancer patients are less likely to have surgery than younger peopleInformation on Macmillan Cancer Support responds to findings that older cancer patients are less likely to have surgery than younger people2014-12-05T13:16:00Z2016-04-27T18:56:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstofindingsthatoldercancerpatientsarelesslikelytohavesurgerythanyoungerpeople.aspxMore than half of patients needing cancer surgery go to operations aloneMacmillan research shows that over half of UK who need surgery go to the hospital on their own.2014-12-05T00:01:00Z2016-04-27T20:57:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Morethanhalfofpatientsneedingcancersurgerygotooperationsalone.aspxMacmillan Cancer Support responds to Labour and Liberal Democrat announcements on carersMacmillan respond to announcements on carers from Labour and the Liberal Democrats.2014-11-28T12:34:00Z2016-04-27T19:02:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstoLabourandLiberalDemocratannouncementsoncarers.aspxMacmillan Cancer Support responds to the government's 'four pillar plan' for the NHS.Lynda Thomas, Interim Chief Executive at Macmillan Cancer Support responds to Jeremy Hunt's speech setting out how the Government will deliver NHS England's Five Year Forward Plan.2014-11-19T17:09:00Z2016-04-27T19:37:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstothegovernmentsfourpillarplanfortheNHS.aspxMacmillan Cancer Support responds to new cancer waiting time statisticsResponding to cancer waiting times statistics for July to September 2014 released today by NHS England, Lynda Thomas, Chief Executive at Macmillan Cancer Support responds.2014-11-19T15:53:00Z2016-04-27T19:14:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstonewcancerwaitingtimestatistics.aspxLynda Bellingham's Legacy Lives on in Macmillan's Christmas AppealMacmillan Cancer Support launches the 2014 Christmas appeal television advert featuring the late Lynda Bellingham this Monday2014-11-14T14:54:00Z2016-04-27T18:28:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/LyndaBellinghamsLegacyLivesoninMacmillansChristmasAppeal.aspxA thousand people a day diagnosed with cancer by end of 2016More than a thousand people will be diagnosed with cancer everyday in the UK in December 2016, according to a new analysis from Macmillan Cancer Support2014-11-14T09:11:00Z2016-04-27T17:06:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Athousandpeopleadaydiagnosedwithcancerbyendof2016.aspxMacmillan Cancer Support responds to report that patients wait too long for x-ray and scan resultsA report by the Royal College of Radiologists (RCR) has revealed thousands of patients are currently waiting more than a month for the results from their X-rays and scan tests. Macmillan responds.2014-11-13T00:01:00Z2016-04-27T19:32:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstoreportthatpatientswaittoolongforx-rayandscanresults.aspxIt's Living Wage WeekMacmillan is proud to be a living wage employer. This week the living wage increased to £9.15 in London and £7.85 everywhere else.2014-11-07T16:42:00Z2016-04-27T18:14:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/ItsLivingWageWeek.aspxMacmillan Cancer Support responds to NCRI report on emergency-diagnosed lung cancer patientsMacmillan respond to NCRI findings on emergency-diagnosed lung cancer patients.2014-11-04T00:01:00Z2016-04-27T19:12:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstoNCRIreportonemergency-diagnosedlungcancerpatients.aspxMacmillan Cancer Support comments on new research that swallowing a sponge on a string could replace endoscopyMacmillan comment on new research that has found swallowing a sponge on a piece of string could replace an endoscopy.2014-11-04T00:01:00Z2016-04-27T18:42:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportcommentsonnewresearchthatswallowingaspongeonastringcouldreplaceendoscopy.aspxWelcome your friends to Wonderland this winter by throwing the ultimate alpine bash for MacmillanMacmillan announce their new Wonderland fundraiser.2014-11-03T15:10:00Z2016-04-27T22:06:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/WelcometoWonderland.aspxMacmillan Cancer Support responds to latest ONS cancer survival figuresMacmillan respond to new cancer survival data published by the ONS.2014-10-30T12:30:00Z2016-04-27T19:07:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstolatestONScancersurvivalfigures.aspxCarers neglect own health to look after someone with cancer, new report revealsNine in ten (89%) health professionals who regularly deal with cancer patients agree friends and family caring for someone with cancer often neglect their own health, according to a new report launched today by Macmillan Cancer Support.2014-10-28T00:01:00Z2016-04-27T17:32:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Carersneglectownhealthtolookaftersomeonewithcancer,newreportreveals.aspxMacmillan Cancer Support welcomes Labour's commitment to improve cancer survival ratesDr Rosie Loftus, Joint Chief Medical Officer at Macmillan Cancer Support responds to Labour party leader Ed Miliband's announcement that the party would commit to improving early diagnosis of cancer and cancer survival rates.2014-10-24T09:50:00Z2016-04-27T19:57:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportwelcomesLabourscommitmenttoimprovecancersurvivalrates.aspxMacmillan launches innovative new work and cancer training programme for employersMacmillan announce a new innovative work and cancer training programme for employers.2014-10-23T15:19:00Z2016-04-27T20:04:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Macmillanlaunchesinnovativenewworkandcancertrainingprogrammeforemployers.aspxMacmillan Cancer Support welcomes government guidance on identifying carersInformation on Macmillan Cancer Support welcomes government guidance on identifying carers2014-10-23T13:49:00Z2016-04-27T19:55:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportwelcomesgovernmentguidanceonidentifyingcarers.aspxMacmillan Cancer Support responds to NHS road map for healthcare in EnglandMacmillan responds to NHS England's newly published 'Five-year forward view' report.2014-10-23T00:01:00Z2016-04-27T19:23:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstoNHSroadmapforhealthcareinEngland.aspxMacmillan Cancer Support welcomes first ever cancer patient experience survey in ScotlandMacmillan responds to Scotland launching their first cancer patient experience survey.2014-10-21T16:15:00Z2016-04-27T19:54:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportwelcomesfirstevercancerpatientexperiencesurveyinScotland.aspxNumber of cancer nurses at all time highA new census of cancer nurses has found that there is an all time high number of specialist adult cancer nurses.2014-10-21T00:01:00Z2016-04-27T21:12:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Numberofcancernursesatalltimehigh.aspxMacmillan Cancer Support welcomes the Liberal Democrats' vote in favour of free social care at the end of lifeInformation on Macmillan Cancer Support welcomes the Liberal Democrats' vote in favour of free social care at the end of life2014-10-07T17:45:00Z2016-04-27T19:58:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportwelcomestheLiberalDemocratsvoteinfavouroffreesocialcareattheendoflife.aspxMacmillan Cancer Support Responds to CQC report on improvements in GP out of hours servicesInformation on Macmillan Cancer Support Responds to CQC report on improvements in GP out of hours services2014-10-03T15:00:00Z2016-04-27T18:53:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportRespondstoCQCreportonimprovementsinGPoutofhoursservices.aspxLondon trusts remain at bottom of cancer patient experience league tableEight of London's NHS trusts score in the bottom 10 of Macmillan Cancer Support's 2014 patient experience league table of trusts in England.2014-10-01T11:51:00Z2016-04-27T18:25:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Londontrustsremainatbottomofcancerpatientexperienceleaguetable.aspxMacmillan Cancer Support welcomes Conservative's commitments on compassionate careMacmillan welcome's the Conservative Party's commitment to continue prioritising compassion in the NHS2014-10-01T09:41:00Z2016-04-27T19:54:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportwelcomesConservativescommitmentsoncompassionatecare.aspxBrits spends almost £50,000 on booze during their lifetimeIn the run-up to Macmillan's Go Sober for October fundraiser, a look the financial cost of drinking how else that money could be spent.2014-09-30T00:01:00Z2016-04-27T17:17:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Britsspendsalmost50,000onboozeduringtheirlifetime.aspxMacmillan Cancer Support responds to National Cancer Patient Experience Survey 2013/14Information on Macmillan Cancer Support responds to National Cancer Patient Experience Survey 2013/142014-09-25T10:17:00Z2016-04-27T19:11:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstoNationalCancerPatientExperienceSurvey201314.aspxMacmillan Cancer Support welcomes Labour's commitment to choice at the end of lifeInformation on Macmillan Cancer Support welcomes Labour's commitment to choice at the end of life2014-09-24T14:44:00Z2016-04-27T19:56:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportwelcomesLabourscommitmenttochoiceattheendoflife.aspxThe nation's favourite coffee moment: an instant at 10.48 with Stephen Fry and a slice of chocolate cakeStephen Fry named as the celeb the UK would most like to have a coffee with and various other findings from our WBCM survey2014-09-22T13:06:00Z2016-04-27T21:56:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Thenationsfavouritecoffeemomentaninstantat1048withStephenFryandasliceofchocolatecake.aspxBritons believe being treated with dignity in NHS as important as getting best treatmentInformation on Britons believe being treated with dignity in NHS as important as getting best treatment2014-09-20T00:01:00Z2016-04-27T17:16:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/BritonsbelievebeingtreatedwithdignityinNHSasimportantasgettingbesttreatment.aspxBoozy Brits spend almost a year of their lives hungoverInformation on Boozy Brits spend almost a year of their lives hungover2014-09-09T00:01:00Z2016-04-27T17:13:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/BoozyBritsspendalmostayearoftheirliveshungover.aspxMacmillan Cancer Support responds to Labour plans for emergency leave for carersInformation on Macmillan Cancer Support responds to Labour plans for emergency leave for carers2014-09-08T15:55:00Z2016-04-27T19:04:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstolabourplansforemergencyleaveforcarers.aspxMacmillan Cancer Support responds to Cancer Research UK's report on cancer servicesInformation on Macmillan Cancer Support responds to Cancer Research UK's report on cancer services2014-09-08T09:33:00Z2016-04-27T18:50:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstoCancerResearchUKsreportoncancerservices.aspxMacmillan Cancer Support responds to rise in skin cancer hospital admissionsProfessor Jane Maher, Chief Medical Officer at Macmillan Cancer Support responds to new findings showing that the number of hospital admissions for skin cancer treatment in England has increased by 41 per cent in the past five years.2014-09-02T10:45:00Z2016-04-27T19:33:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstoriseinskincancerhospitaladmissions.aspxMacmillan Cancer Support responds to cancer waiting time statisticsMacmillan Cancer Support responds to cancer waiting time statistics2014-08-29T13:01:00Z2016-04-27T18:51:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstocancerwaitingtimestatistics.aspxWalking just one mile a day could save livesPatients diagnosed with two of the most common cancers (breast and prostate) could reduce their risk of dying by walking just one mile a day2014-08-29T00:01:00Z2016-04-27T22:05:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Walkingjustonemileadaycouldsavelives.aspxMacmillan Cancer Support responds to cancer drugs fund announcementMacmillan is very pleased that the Government has committed to an additional funding of £80 million for the Cancer Drugs Fund and that it has committed to review the effectiveness of the current drugs on the list.2014-08-28T09:50:00Z2016-04-27T18:49:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstocancerdrugsfundannouncement.aspxMacmillan Cancer Support responds to the latest cancer survival figuresMacmillan Cancer Support is urging all political parties to make cancer a top priority at the upcoming general election and commit to reducing the number of people diagnosed in A&E2014-08-26T13:26:00Z2016-04-27T19:41:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstothelatestcancersurvivalfigures.aspxGreene King breaks through its £1million target to raise £1.2million for Macmillan Cancer SupportLeading pub retailer and brewer Greene King has exceeded its £1million target and raised £1.2million for charity partner Macmillan Cancer Support, eight months ahead of schedule2014-08-26T13:06:00Z2016-04-27T18:04:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/GreeneKingbreaksthroughits1milliontargettoraise12millionforMacmillanCancerSupport.aspxMacmillan Cancer Support responds to new NHS guidelines on hospital car parkingMacmillan Cancer Support is pleased the Government has recognised hospital parking charges and fines as a problem and has issued new guidelines advising hospitals to offer concessions.2014-08-22T15:47:00Z2016-04-27T19:17:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstonewNHSguidelinesonhospitalcarparking.aspxCelia Birtwell creates bespoke badges for Macmillan's World's Biggest Coffee MorningCelia Birtwell CBE has created a set of bespoke Macmillan badges for the World's Biggest Coffee Morning.2014-08-20T16:07:00Z2016-04-27T17:38:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/CeliaBirtwellcreatesbespokebadgesforMacmillansWorldsBiggestCoffeeMorning.aspxCelebs join the 85,000 fundraisers taking on the #IceBucketChallenge for Macmillan!Celebrities including Richard Branson and Millie Mackintosh have taken on the #IceBucketChallenge for Macmillan, helping the charity to raise a huge £250,0002014-08-20T15:40:00Z2016-04-27T17:38:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Celebsjointhe85,000fundraiserstakingontheIceBucketChallengeforMacmillan!.aspxOver one in five brits don't think you can get sunburnt if you have a tanMore than one in five UK adults don't believe they can get sunburnt if they already have a tan2014-08-20T00:01:00Z2016-04-27T21:18:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Overoneinfivebritsdontthinkyoucangetsunburntifyouhaveatan.aspxA weekend of brrr-illiant fundraising!This week - Macmillan Cancer Support nominates the entire UK to ramp up the #IceBucketChallenge, after an outpour of celebrities have got on board with the viral fundraiser over the weekend.2014-08-18T16:43:00Z2016-04-27T17:08:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Aweekendofbrrr-illiantfundraising!.aspxHampshire fundraisers have the 'Wight' idea with attempted hike for Macmillan Cancer SupportThis bank holiday weekend a team of fundraisers from Hampshire aim to help raise £25,000 for Macmillan Cancer Support by walking the whole of the Isle of Wight in just one day.2014-08-18T14:34:00Z2016-04-27T18:08:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/HampshirefundraisershavetheWightideawithattemptedhikeforMacmillanCancerSupport.aspxBrrr-ave the #IceBucketChallenge for MacmillanMacmillan calls on the UK to ramp up the #IceBucketChallenge2014-08-15T14:12:00Z2016-04-27T17:17:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Brrr-avetheIceBucketChallengeforMacmillan.aspx6,000 cancer patients dying needlessly under a year due to postcode lotteryInformation on 6,000 cancer patients dying needlessly under a year due to postcode lottery2014-08-15T00:01:00Z2016-04-27T16:55:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/6,000cancerpatientsdyingneedlesslyunderayearduetopostcodelottery.aspxLonely cancer patients three times more likely to struggle with treatmentMacmillan estimates loneliness putting 21,000 cancer patients' recovery at risk2014-08-08T00:01:00Z2016-04-27T18:26:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Lonelycancerpatientsthreetimesmorelikelytostrugglewithtreatment.aspxMacmillan Cancer Support Chief Executive moves onCiarán Devane will move on as Chief Executive after seven years at the helm of Macmillan Cancer Support.2014-07-31T14:37:00Z2016-04-27T18:40:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Macmillan-Cancer-Support-Chief-Executive-moves-on.aspxMacmillan Cancer Support responds to Help the Hospices' call for a reduction in the number of people dying in hospitalInformation on Macmillan Cancer Support responds to Help the Hospices' call for a reduction in the number of people dying in hospital2014-07-23T12:32:00Z2016-04-27T19:00:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstoHelptheHospicescallforareductioninthenumberofpeopledyinginhospital.aspxAbbey Clancy leads celeb line up in Rankin's 'Shave or Style' shoot for MacmillanMacmillan Cancer Support has released a series of Rankin celebrity portraits featuring Abbey Clancy, Nina Nesbitt and Gethin Jones to mark the launch of Shave or Style.2014-07-21T09:42:00Z2016-04-27T16:57:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/AbbeyClancyleadsceleblineupinRankinsShaveorStyleshootforMacmillan.aspxCheryl Cole and David Beckham top Macmillan Cancer Support's search to find the UK's top 'Hair Crush'X Factor beauty and football megastar top Macmillan poll to find the nations fave 'do' ahead of 'Shave or Style' fundraiser.2014-07-17T00:01:00Z2016-04-27T17:40:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/CherylColeandDavidBeckhamtopMacmillanCancerSupportssearchtofindtheUKstopHairCrush.aspxSame hair, don't care! Nearly half of boring Brits have NEVER changed their 'doMacmillan launches survey to encourage people to change their ways ahead of 'Shave or Style' fundraiser2014-07-17T00:01:00Z2016-04-27T21:33:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Samehair,dontcare!NearlyhalfofboringBritshaveNEVERchangedtheirdo.aspxnPower employees reach new heights for Macmillan Cancer Support40 npower employees have taken to the nation's highest peak in aid of Macmillan Cancer Support, the company's charity partner.2014-07-16T17:59:00Z2016-04-27T21:11:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/nPoweremployeesreachnewheightsforMacmillanCancerSupport.aspxMacmillan Cancer Support responds to the VOICES survey 2013"Everyone should have the choice about where they want to die, however, it is a scandal that many people die in hospital against their wishes often at great cost to the NHS." -Mike Hobday, Director of Policy & Research2014-07-14T10:46:00Z2016-04-27T19:48:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstotheVOICESsurvey2013.aspxMacmillan Cancer Support Responds to News That Number of People Waiting for Cancer Tests Has Doubled In a YearThe proportion of people who face delays in receiving vital tests which can diagnose cancer has doubled since this time last year, Macmillan responds2014-07-10T09:48:00Z2016-04-27T19:21:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportRespondstoNewsThatNumberofPeopleWaitingforCancerTestsHasDoubledInaYear.aspxMacmillan's Lynda Thomas Named Second Most Influential Person in FundraisingLynda Thomas, Director of Fundraising at Macmillan Cancer Support, has been named the second most influential person in Fundraising, in the annual Fundraising Magazine poll.2014-07-08T11:57:00Z2016-04-27T20:44:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillansLyndaThomasNamedSecondMostInfluentialPersoninFundraising.aspxNHS Could Save £69million by Providing Community Care to Cancer Patients at the End of LifeThe NHS could save £69million a year by providing community care to allow cancer patients in England to die at home instead of in hospital.2014-07-04T00:01:00Z2016-04-27T21:09:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/NHSCouldSave69millionbyProvidingCommunityCaretoCancerPatientsattheEndofLife.aspxMacmillan Cancer Support Responds to Government Review of Choice in End of Life CareMacmillan conmmends the Government's new review looking into how to improve choice for people at the end of life.2014-07-02T11:02:00Z2016-04-27T18:59:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportRespondstoGovernmentReviewofChoiceinEndofLifeCare.aspxMacmillan Cancer Support Responds to Choice Review AnnouncementMacmillan Cancer support commends the Government's new review, looking into how to improve choice for people at the end of life.2014-07-02T10:23:00Z2016-04-27T18:52:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportRespondstoChoiceReviewAnnouncement.aspxMacmillan Cancer Support Responds to DWP's Commitment to Reduce PIP Waiting TimesMacmillan Cancer Support responds to DWP's commitment to reduce PIP waiting times2014-07-01T16:20:00Z2016-04-27T18:54:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportRespondstoDWPsCommitmenttoReducePipWaitingTimes.aspxMacmillan Cancer Support's Response to the Publication of LACDP's System-Wide Response: One Chance to Get It RightInformation on Macmillan Cancer Support's Response to the Publication of LACDP's System-Wide Response: One Chance to Get It Right2014-06-26T11:03:00Z2016-04-27T19:50:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportResponsetothePublicationofLacdpsSystem-WideResponseOneChancetoGetItRight.aspxCharities Launch New Report into Free Social Care at the End of LifeA report written by OPM and commissioned by Macmillan Cancer Support, the Motor Neurone Disease (MND) Association and Sue Ryder, looks at the current state of end of life services in England.2014-06-25T12:11:00Z2016-04-27T17:39:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/CharitiesLaunchNewReportintoFreeSocialCareattheEndofLife.aspxMacmillan Cancer Support Responds to Public Accounts Committee Report on the Personal Independence PaymentThe introduction of the new disability benefit, the Personal Independence Payment (PIP), has caused delays and uncertainty for thousands of cancer patients.2014-06-20T14:50:00Z2016-04-27T19:27:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportRespondstoPublicAccountsCommitteeReportonthePersonalIndependencePayment.aspxMacmillan Cancer Support Responds To New ONS Cancer Incidence Figures (19/06/2014)Ciarán Devane comments on new ONS figures showing that skin cancer prevelance has risen by 78 per cent amongst men and 48 per cent amongst women in the last ten years. This makes it now the fifth most common cancer in England.2014-06-19T13:24:00Z2016-04-27T19:18:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportRespondsToNewONSCancerIncidenceFigures(19062014).aspxThe All Party Parliamentary Group on Cancer Responds to the Presentation of One Year Cancer Survival Data in the CCG OISThe All Party Parliamentary Group on Cancer responds to the presentation of one year cancer survival data in the Clinical Commissioning Group Outcomes Indicator Set2014-06-19T13:13:00Z2016-04-27T21:52:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/TheAllPartyParliamentaryGrouponCancerRespondstothePresentationofOneYearCancerSurvivalDataintheCCGOIS.aspxLegacy of Founder Inspires Macmillan Garden at Hampton CourtThe legacy of Macmillan Cancer Support founder, Douglas Macmillan is the inspiration for the Macmillan Legacy Garden at the RHS Hampton Court Palace Flower Show this year, which aims to promote the importance of gifts in wills.2014-06-16T16:58:00Z2016-04-27T18:23:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/LegacyofFounderInspiresMacmillanGardenatHamptonCourt.aspxThousands of Cancer Patients Wait For Six Months or More For Disability BenefitsNew Macmillan Cancer Support report reveals lengthy delays leave cancer patients saddled with financial difficulties2014-06-16T00:01:00Z2016-04-27T22:00:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/ThousandsofCancerPatientsWaitForSixMonthsorMoreForDisabilityBenefits.aspxOlder Lung Cancer Patients Five Times Less Likely To Have Surgery than Younger PatientsLung cancer patients at 75 or over are five times less likely to be given life-saving surgery than younger patients, research shows. Ciarán Devane, Chief Executive at Macmillan Cancer Support, comments.2014-06-09T00:01:00Z2016-04-27T21:13:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/OlderLungCancerPatientsFiveTimesLessLikelyToHaveSurgerythanYoungerPatients.aspxnpower staff 'row row row' their boats for Macmillannpower staff row across Lake Windermere to raise money for Macmillan, one of ten challenges they have committed to in 2014.2014-06-04T16:17:00Z2016-04-27T21:12:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/npowerstaffrowrowrowtheirboatsforMacmillan.aspxCostain pledge to raise £1million for four charitiesCostain has announced the launch of its '150 Year Challenge'. Beggining in January 2015, it will attempt to raise £1 million through a multitude of fund-raising events throughout the year.2014-06-02T15:42:00Z2016-04-27T17:45:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Costainpledgetoraise1millionforfourcharities.aspxCelebrities and Public Share What Gardens Mean to Them Ahead of This Year's National Festival WeekendIn the run-up to this year's Festival Weekend (7-8 June), Macmillan partner and event organiser the National Garden Scheme (NGS) are asking gardens mean to us.2014-05-30T14:35:00Z2016-04-27T17:35:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/CelebritiesandPublicShareWhatGardensMeantoThemAheadofThisYearsNationalFestivalWeekend.aspxMacmillan Cancer Support responds to breach of national cancer waiting time targetsMike Hobday, Director of Policy and Research of Macmillan Cancer Support, responds to Department of Health cancer waiting times statistics.2014-05-30T14:05:00Z2016-04-27T18:48:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstobreachofnationalcancerwaitingtimetargets.aspxDo Something 'Exceedingly Good' For Macmillan and Treat Yourself with Mr. Kipling's Limited Edition French FanciesThe King of Cakes has packaging makeover for limited edition charity promotion.2014-05-28T17:29:00Z2016-04-27T17:50:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/DoSomethingExceedinglyGoodForMacmillanandTreatYourselfwithMrKiplingsLimitedEditionFrenchFancies.aspxGreene King Employees Reach Their Peak by Taking on Their Toughest Challenge Yet for Macmillan Cancer SupportLast weekend, 162 Greene King employees took on the gruelling Yorkshire Three Peaks fundraising challenge and raised more than £43,000 in support of the company's national charity partner Macmillan Cancer Support.2014-05-19T16:01:00Z2016-04-27T18:06:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/GreeneKingEmployeesReachTheirPeakbyTakingonTheirToughestChallengeYetforMacmillanCancerSupport.aspxMacmillan Cancer Support responds to National Care of the Dying Audit for HospitalsMacmillan Cancer Support responding to the National Care of the Dying Audit for Hospitals in England2014-05-15T09:46:00Z2016-04-27T19:12:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstoNationalCareoftheDyingAuditforHospitals.aspxCaroline Aherne Recovering from Lung Cancer Appeals to Manchester Cancer Patients to Get Involved in Improving Cancer CareInformation on Caroline Aherne Recovering from Lung Cancer Appeals to Manchester Cancer Patients to Get Involved in Improving Cancer Care2014-05-13T16:07:00Z2016-04-27T17:33:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/CAROLINEAHERNERECOVERINGFROMLUNGCANCERAPPEALSTOMANCHESTERCANCERPATIENTSTOGETINVOLVEDINIMPROVINGCANCERCARE.aspxShort Film from Macmillan Promotes a 'Live Your Legacy' Approach to LifeMacmillan Cancer Support has launched an uplifting film entitled 'Live Your Legacy' (#LYL) inviting people to ask themselves how they would like to be remembered after they die.2014-05-12T00:01:00Z2016-04-27T21:36:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Short Film from Macmillan Promotes a Live Your Legacy Approach to Life.aspxMacmillan Cancer Support responds to NHS England's Commitment to CarersMacmillan responds to NHS England's Commitment to Carers, a package of measures to help the NHS better support people providing unpaid care.2014-05-07T14:49:00Z2016-04-27T19:22:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstoNHSEnglandsCommitmenttoCarersplan.aspxMacmillan Cancer Support Responds to New Data Showing Stage of Cancer at DiagnosisMike Hobday, Director of Policy and Research at Macmillan Cancer Support, responds to the Public Health England (PHE) publication on the number of new cancer cases in England.2014-05-07T14:43:00Z2016-04-27T19:15:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportRespondstoNewDataShowingStageofCanceratDiagnosis.aspxNew Macmillan report urges banking industry to do more to help ease financial burden of cancerIn a new report to the banking industry out today, Macmillan Cancer Support calls for greater understanding of the impact of cancer and better training for front line staff in order to improve services for people living with cancer.2014-05-06T00:01:00Z2016-04-27T21:03:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/NewMacmillanreporturgesbankingindustrytodomoretohelpeasefinancialburdenofcancer.aspxUK cancer care crisis looming, warns new reportMacmillan Cancer Support urges political parties to prioritise cancer in the upcoming Westminster general election.2014-05-02T00:01:00Z2016-04-27T22:03:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/UKcancercarecrisislooming,warnsnewreport.aspxnpower staff 'putt' their energy into Macmillan Cancer Supportnpower staff's latest fundraising for Macmillan Cancer Support.2014-04-30T12:29:00Z2016-04-27T21:11:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/npowerstaffputttheirenergyintoMacmillanCancerSupport.aspxMacmillan responds to new study which reveals impact of side effects of treatment on ability to workMacmillan Cancer Support responds to a new study published in the American Cancer Society's Cancer journal.2014-04-28T10:13:00Z2016-04-27T20:26:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Macmillanrespondstonewstudywhichrevealsimpactofsideeffectsoftreatmentonabilitytowork.aspxGreat Swim series announces charity partnership with Macmillan Cancer SupportGreat Swim, Europe's biggest open water swim series, has announced that Macmillan Cancer Support will be their nominated national charity for the next three years.2014-04-23T16:52:00Z2016-04-27T18:04:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/GREATSWIMSERIESANNOUNCESCHARITYPARTNERSHIPWITHMACMILLAN.aspxMacmillan Cancer Support responds to new kidney cancer survival ratesMacmillan Cancer Support responds to a new report out today by Public Health England's National Cancer Intelligence Network (NCIN) which shows that kidney cancer survival has improved in the last 20 years.2014-04-16T15:50:00Z2016-04-27T19:17:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstonewkidneycancersurvivalrates.aspxCoral raises the stakes to beat £500,000 fundraising target for Macmillan Cancer SupportCoral raises the stakes to beat £500,000 fundraising target for Macmillan Cancer Support2014-04-10T11:19:00Z2016-04-27T17:45:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Coralraisesthestakestobeat500,000fundraisingtargetforMacmillanCancerSupport.aspxOlympic medallists to start the 2014 London Marathon racesOlympic medallists to start the 2014 London Marathon races - Macmillan Cancer Support2014-04-09T11:15:00Z2016-04-27T21:15:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Olympicmedalliststostartthe2014LondonMarathonraces.aspxLong-term lung cancer survivors ten times more likely to get new cancer than breast or prostate survivorsLong-term lung cancer survivors ten times more likely to get new cancer than breast or prostate survivors - Macmillan Cancer Support2014-04-04T00:01:00Z2016-04-27T18:26:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Long-termlungcancersurvivorstentimesmorelikelytogetnewcancerthanbreastorprostatesurvivors.aspxMacmillan Cancer Support and mynewhair launch new partnershipMacmillan Cancer Support and mynewhair launch new partnership - Macmillan Cancer Support2014-04-02T00:01:00Z2016-04-27T18:36:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportandmynewhairlaunchnewpartnership.aspxMacmillan Cancer Support welcomes Jeremy Hunt's announcement to save lives and prevent avoidable harmMacmillan Cancer Support welcomes Jeremy Hunt's announcement to save lives and prevent avoidable harm2014-03-26T14:23:00Z2016-04-27T19:55:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportwelcomesJeremyHuntsannouncementtosavelivesandpreventavoidableharm.aspxPoundland exceed £1million fundraising target for Macmillan Cancer SupportPoundland exceed £1million fundraising target for Macmillan Cancer Support2014-03-25T14:16:00Z2016-04-27T21:24:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Poundlandexceed1millionfundraisingtargetforMacmillanCancerSupport.aspxWork begins on new Sussex Macmillan Cancer Support CentreThe transformation of cancer support in Sussex has taken a step forward with a turf-cutting ceremony to mark the start of work on a new £5.96 million centre.2014-03-21T00:00:00Z2016-04-27T22:08:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/WorkbeginsonnewSussexMacmillanCancerSupportCentre.aspxManchester's Macmillan Benefits Service hits £30m milestoneThe team has helped people affected by cancer in Manchester claim more than £30 million in government benefits and Macmillan Grants in the last seven years.2014-03-21T00:00:00Z2016-04-27T20:53:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/ManchestersMacmillanBenefitsServicehits30mmilestone.aspxMacmillan Cancer Support responds to European breast cancer mortality ratesMacmillan Cancer Support responds to European breast cancer mortality rates2014-03-20T17:27:00Z2016-04-27T18:56:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstoEuropeanbreastcancermortalityrates.aspxMacmillan Cancer Support responds to the Chancellor's budget 2014 announcementMacmillan Cancer Support responds to the Chancellor's budget 2014 announcement2014-03-19T15:20:00Z2016-04-27T19:36:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstotheChancellorsbudget2014announcement.aspxMacmillan Cancer Support comments on disability benefit report by the Work and Pensions CommitteeMacmillan Cancer Support comments on disability benefit report by the Work and Pensions Committee2014-03-18T00:01:00Z2016-04-27T18:41:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportcommentsondisabilitybenefitreportbytheWorkandPensionsCommittee.aspxOnline dating: more acceptable than ever before but most Brits don't believe it's the best way to find true loveOnline dating: more acceptable than ever before but most Brits don't believe it's the best way to find true love - Macmillan Cancer Support2014-03-17T10:43:00Z2016-04-27T21:16:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/OnlinedatingmoreacceptablethaneverbeforebutmostBritsdontbelieveitsthebestwaytofindtruelove.aspxMacmillan Cancer Support statement on the Transforming Cancer and End of Life Care Programme in StaffordshireMacmillan Cancer Support statement on the Transforming Cancer and End of Life Care Programme in Staffordshire2014-03-13T15:33:00Z2016-04-27T19:53:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportstatementontheTransformingCancerandEndofLifeCareProgrammeinStaffordshire.aspxMacmillan Cancer Support responds to Care Bill Report Stage debateMacmillan Cancer Support responds to Care Bill Report Stage debate2014-03-11T14:30:00Z2016-04-27T18:51:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstoCareBillReportStagedebate.aspxMacmillan Cancer Support responds to Queen's University report on ageism in cancer careMacmillan Cancer Support responds to Queen's University report on ageism in cancer care2014-03-11T09:38:00Z2016-04-27T19:30:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstoQueensUniversityreportonageismincancercare.aspxThe challenge of cancer care improvement in ManchesterMacmillan Cancer Improvement Partnership in Manchester2014-03-10T00:00:00Z2016-04-27T21:54:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/ThechallengeofcancercareimprovementinManchester.aspxMacmillan Cancer Support responds to King's Fund report demanding a 'fundamental shift' in delivery of care for the elderlyMacmillan Cancer Support responds to King's Fund report demanding a 'fundamental shift' in delivery of care for the elderly2014-03-06T11:33:00Z2016-04-27T19:02:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstoKingsFundreportdemandingafundamentalshiftindeliveryofcarefortheelderly.aspxBristol photo exhibition promotes cancer survivorshipThe Grant Bradley Gallery in Bristol is hosting a 21-day exhibition from the 08 March, featuring the work of Ludlow resident Ashley Green.2014-03-05T00:00:00Z2016-04-27T17:15:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Bristolphotoexhibitionpromotescancersurvivorship.aspxAdvice service generates almost £5m in one yearThe Hampshire Macmillan Citizens Advice Service (HMCAS) helped over 2,000 people affected by cancer access £4.76million in financial support in 2013.2014-03-04T00:00:00Z2016-04-27T16:58:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Adviceservicegeneratesalmost5minoneyear.aspxnpower cyclists power for Macmillan Cancer Supportnpower cyclists power for Macmillan Cancer Support2014-02-28T15:09:00Z2016-04-27T21:10:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/npowercyclistspowerforMacmillanCancerSupport.aspxMacmillan Cancer Support pleased that PIP waiting times have been reduced to 10 daysMacmillan Cancer Support pleased that PIP waiting times have been reduced to 10 days2014-02-27T18:17:00Z2016-04-27T18:46:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportpleasedthatPIPwaitingtimeshavebeenreducedto10days.aspxDo Macmillan a favour on your special dayDo Macmillan Cancer Support a favour on your special day2014-02-27T12:28:00Z2016-04-27T17:48:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/DoMacmillanafavouronyourspecialday.aspxMacmillan Cancer Support responds to the National Audit Office's report on PIPMacmillan Cancer Support responds to the National Audit Office's report on PIP2014-02-27T10:23:00Z2016-04-27T19:42:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstotheNationalAuditOfficesreportonPIP.aspxNew Macmillan Cancer Information & Support Centre coming to Stafford HospitalMacmillan are investing over £87,000 in a new cancer centre in Staffordshire offering advice, information and support for anyone concerned about or affected by cancer.2014-02-25T00:00:00Z2016-04-27T21:03:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/NewMacmillanCancerInformationSupportCentrecomingtoStaffordHospital.aspxMacmillan Cancer Support responds to news that cancer waiting time targets at lowest level for 2 yearsMacmillan Cancer Support responds to news that cancer waiting time targets at lowest level for 2 years2014-02-24T16:38:00Z2016-04-27T19:20:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstonewsthatcancerwaitingtimetargetsatlowestlevelfor2years.aspxAndy Slaughter MP opens Macmillan Information ServiceHammersmith MP Andy Slaughter has officially opened the new Macmillan Information Service at Hammersmith Hospital.2014-02-24T00:00:00Z2016-04-27T17:04:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/AndySlaughterMPopensMacmillanInformationService.aspxLoneliness damaging the lives of 400,000 people living with cancer, new research showsLoneliness damaging the lives of 400,000 people living with cancer, new research shows - Macmillan Cancer Support2014-02-20T14:46:00Z2016-04-27T18:25:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Lonelinessdamagingthelivesof400,000peoplelivingwithcancer,newresearchshows.aspxMacmillan Cancer Support welcomes the DWP's commitment to support more people with cancer return to workMacmillan Cancer Support welcomes the DWP's commitment to support more people with cancer return to work2014-02-14T16:02:00Z2016-04-27T19:58:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportwelcomestheDWPscommitmenttosupportmorepeoplewithcancerreturntowork.aspxMacmillan Cancer Support responds to report on health deprivationMacmillan Cancer Support responds to report on health deprivation2014-02-14T13:44:00Z2016-04-27T19:31:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstoreportonhealthdeprivation.aspxEnjoy a Macmillan Night In on Friday 16 MayEnjoy a Macmillan Night In on Friday 16 May - Macmillan Cancer Support2014-02-11T14:46:00Z2016-04-27T17:53:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/EnjoyaMacmillanNightInonFriday16May.aspxMacmillan Cancer Support welcomes the continuation of the General Lifestyle ReportMacmillan Cancer Support welcomes the continuation of the General Lifestyle Report2014-02-10T15:46:00Z2016-04-27T19:57:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportwelcomesthecontinuationoftheGeneralLifestyleReport.aspxNew initiative brings joy to children with brain tumourMacmillan Cancer Support - New initiative brings joy to children with brain tumour2014-02-10T10:18:00Z2016-04-27T21:02:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Newinitiativebringsjoytochildrenwithbraintumour.aspxMacmillan Cancer Support comments on quality of patient care one year on from FrancisMacmillan Cancer Support comments on quality of patient care one year on from Francis2014-02-06T12:19:00Z2016-04-27T18:42:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportcommentsonqualityofpatientcareoneyearonfromFrancis.aspxMacmillan Cancer Support first charity to receive CCA accreditationMacmillan Cancer Support first charity to receive CCA accreditation2014-02-04T14:04:00Z2016-04-27T18:45:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportfirstcharitytoreceiveCCAaccreditation.aspxMacmillan Cancer Support welcomes new advertising campaign for pancreatic cancerMacmillan Cancer Support welcomes new advertising campaign for pancreatic cancer2014-02-04T09:41:00Z2016-04-27T19:57:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportwelcomesnewadvertisingcampaignforpancreaticcancer.aspxMacmillan Cancer Support responds to UK Active report on inactivityMacmillan Cancer Support responds to UK Active report on inactivity2014-01-31T00:01:00Z2016-04-27T19:48:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstoUKActivereportoninactivity.aspxMacmillan celebrates will writing service success on anniversary and urges people to remember charityMacmillan celebrates will writing service success on anniversary and urges people to remember charity2014-01-29T15:53:00Z2016-04-27T19:59:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Macmillancelebrateswillwritingservicesuccessonanniversaryandurgespeopletoremembercharity.aspx78 npower employees 'brrrrrave' the North Sea in aid of Macmillan Cancer Support78 npower employees 'brrrrrave' the North Sea in aid of Macmillan Cancer Support2014-01-28T17:21:00Z2016-04-27T16:57:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/78npoweremployeesbrrrrravetheNorthSeainaidofMacmillanCancerSupport.aspxMacmillan Cancer Support responds to Government commitment to introduce 'whole stay' doctorsMacmillan Cancer Support responds to Government commitment to introduce 'whole stay' doctors2014-01-24T12:19:00Z2016-04-27T18:57:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstogovernmentcommitmenttointroducewholestayOLESTAYDOCTORS.aspx130,000 people diagnosed at 65 or over survive cancer for at least a decade130,000 people diagnosed at 65 or over survive cancer for at least a decade - Macmillan Cancer Support2014-01-24T00:01:00Z2016-04-27T16:46:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/130,000peoplediagnosedat65oroversurvivecancerforatleastadecade.aspxMacmillan Cancer Support announces new charity partnershipMacmillan Cancer Support, The Irish Cancer Society and Saint-Gobain, the world leader in the habitat and construction markets, have announced a new charity partnership that seeks to raise vital funds for people affected by cancer2014-01-14T16:12:00Z2016-04-27T18:37:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportannouncesnewcharitypartnership.aspxMacmillan Cancer Support responds to the latest cancer diagnosis figuresMacmillan Cancer Support responds to the latest cancer diagnosis figures2014-01-14T00:01:00Z2016-04-27T19:41:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstothelatestcancerdiagnosisfigures.aspxCancer carers overlooked by NHS despite providing care worth £14.5bn a yearCancer carers overlooked by NHS despite providing care worth £14.5bn a year - Macmillan Cancer Support2014-01-09T00:01:00Z2016-04-27T17:23:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/CancercarersoverlookedbyNHSdespiteprovidingcareworth145bnayear.aspx10,000 UK children living with cancer10,000 UK children living with cancer - Macmillan Cancer Support2013-12-13T00:01:00Z2016-04-27T16:44:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/10,000UKchildrenlivingwithcancer.aspxBritain Against Cancer Conference a huge successBritain Against Cancer Conference a huge success - Macmillan Cancer Support2013-12-11T14:23:00Z2016-04-27T17:15:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/BritainAgainstCancerConferenceahugesuccess.aspxMacmillan Cancer Support responds to increase in childhood cancer survivalMacmillan Cancer Support responds to increase in childhood cancer survival2013-12-10T14:24:00Z2016-04-27T19:01:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstoincreaseinchildhoodcancersurvival.aspxParliamentary Group launches 'call to arms' report at Britain Against Cancer conferenceParliamentary Group launches 'call to arms' report at Britain Against Cancer conference - Macmillan Cancer Support2013-12-10T11:59:00Z2016-04-27T21:19:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/ParliamentaryGrouplaunchescalltoarmsreportatBritainAgainstCancerconference.aspxDeaths from three of top four cancers in the UK to almost halve between 1992 and 2020Deaths from three of top four cancers in the UK to almost halve between 1992 and 2020 - Macmillan Cancer Support2013-12-06T00:01:00Z2016-04-27T17:47:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/DeathsfromthreeoftopfourcancersintheUKtoalmosthalvebetween1992and2020.aspxMacmillan Cancer Support responds to the latest international cancer survival ratesMacmillan Cancer Support responds to the latest international cancer survival rates2013-12-05T00:01:00Z2016-04-27T19:42:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstothelatestinternationalcancersurvivalrates.aspxCost of cancer same as a mortgage, says DemosThe financial impact of cancer costs families the same as an average mortgage, according to a report out by Demos today.2013-11-27T00:01:00Z2016-04-27T17:46:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Costofcancersameasamortgage,saysDemos.aspxMacmillan comments on full Government response to Francis InquiryCiaran Devane, Chief Executive of Macmillan Cancer Support, comments on the full Government response to the Francis Inquiry.2013-11-19T15:01:00Z2016-04-27T20:01:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillancommentsonfullGovernmentresponsetoFrancisInquiry.aspxMacmillan Cancer Support responds to Government NHS mandateMacmillan Cancer Support responds to Government NHS mandate2013-11-13T14:09:00Z2016-04-27T18:58:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstoGovernmentNHSmandate.aspxPoorer cancer patients a third less likely to survive long termPoorer cancer patients a third less likely to survive long term - Macmillan Cancer Support2013-11-04T00:01:00Z2016-04-27T21:24:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Poorercancerpatientsathirdlesslikelytosurvivelongterm2.aspxMacmillan Cancer Support responds to continuing inequality in cancer survival rates in EnglandMacmillan Cancer Support responds to continuing inequality in cancer survival rates in England2013-10-29T14:31:00Z2016-04-27T18:53:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstocontinuinginequalityincancersurvivalratesinEngland.aspx36,000 cancer patients denied their last wish to die at home36,000 cancer patients denied their last wish to die at home - Macmillan Cancer Support2013-10-28T00:01:00Z2016-04-27T16:51:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/36,000cancerpatientsdeniedtheirlastwishtodieathome.aspxMacmillan responds to the release of the CCG outcomes indicator set 2013/14Charlotte Potter, Policy Manager of Macmillan Cancer Support, responds to the release of the Clinical Commissioning Groups' (CCGs) Outcomes Indicator Set 2013/14, the document which will provide comparative information on the quality of health services commissioned by CCGs.2013-10-14T13:27:00Z2016-04-27T20:41:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanrespondstothereleaseoftheCCGoutcomesindicatorset201314.aspxCancer carers doing vital clinical tasks without adequate trainingCancer carers doing vital clinical tasks without adequate training - Macmillan Cancer Support2013-10-14T00:01:00Z2016-04-27T17:22:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Cancercarersdoingvitalclinicaltaskswithoutadequatetraining.aspxnpower team reach the top of Kilimanjaro and raise a mountain of cash for Macmillan's World's Biggest Coffee Morningnpower team reach the top of Kilimanjaro and raise a mountain of cash for Macmillan's World's Biggest Coffee Morning2013-10-10T17:17:00Z2016-04-27T21:12:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/NpowerteamreachthetopofKilimanjaroandraiseamountainofcashforMacmillansWorldsBiggestCoffeeMorning.aspxMacmillan Cancer Support responds to the National Peer Review Report on Cancer ServicesMacmillan Cancer Support responds to the National Peer Review Report on Cancer Services2013-10-10T15:39:00Z2016-04-27T19:44:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstotheNationalPeerReviewReportonCancerServices.aspxOne in two younger breast cancer survivors' sex lives at riskOne in two younger breast cancer survivors' sex lives at risk2013-10-10T00:01:00Z2016-04-27T21:16:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Oneintwoyoungerbreastcancersurvivorssexlivesatrisk.aspx37,000 lives could be saved each year just by walkingThe Ramblers and Macmillan Cancer Support launch Walking Works, an extensive overview of the mounting research into the life-threatening consequences of inactivity.2013-10-07T00:01:00Z2016-04-27T16:52:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/37,000livescouldbesavedeachyearjustbywalking.aspxMacmillan responds to the extension of the Cancer Drugs FundMike Hobday, Director of Policy & Research at Macmillan Cancer Support, responds to the Prime Minister David Cameron's announcement that the Cancer Drugs Fund will receive additional funding of £400million to extend it until March 2016.2013-09-30T09:47:00Z2016-04-27T20:36:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanrespondstotheextensionoftheCancerDrugsFund.aspxMacmillan Cancer Support welcomes Labour's annoucement about social care at the end of lifeMacmillan Cancer Support welcomes Labour's annoucement about social care at the end of life2013-09-25T15:19:00Z2016-04-27T19:56:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportwelcomesLaboursannoucementaboutsocialcareattheendoflife.aspxStrictly star 'cruises' his way to a successful World's Biggest Coffee Morning for MacmillanMacmillan's charity partner P&O Cruises invited Craig to show his support for Macmillan on its ship, to help launch its 2013 Coffee Morning campaign for the cancer support charity.2013-09-25T00:01:00Z2016-04-27T21:46:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/StrictlystarcruiseshiswaytoasuccessfulWorldsBiggestCoffeeMorningforMacmillan.aspxMacmillan Cancer Support responds to new Herceptin injection for breast cancer patientsMacmillan Cancer Support responds to new Herceptin injection for breast cancer patients2013-09-24T09:42:00Z2016-04-27T19:16:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstonewHerceptininjectionforbreastcancerpatients.aspxMacmillan Cancer Support wins two British Medical Association Patient Information AwardsMacmillan Cancer Support wins two British Medical Association Patient Information Awards2013-09-19T09:10:00Z2016-04-27T19:59:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportwinstwoBritishMedicalAssociationPatientInformationAwards.aspxInpatient costs for breast and prostate cancer to hit three quarters of a billion pounds by 2020Inpatient costs for breast and prostate cancer to hit three quarters of a billion pounds by 20202013-09-13T00:01:00Z2016-04-27T18:14:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Inpatientcostsforbreastandprostatecancertohitthreequartersofabillionpoundsby2020.aspxMacmillan calls on London hospitals to urgently improve patient careMacmillan Cancer Support is calling for urgent action to improve cancer care across London.2013-09-04T12:00:00Z2016-04-27T18:36:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillancallsonLondonhospitalstourgentlyimprovepatientcare.aspxMacmillan Cancer Support responds to new research into TamoxifenMacmillan Cancer Support responds to new research into Tamoxifen2013-09-04T11:12:00Z2016-04-27T19:19:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstonewresearchintoTamoxifen.aspxMacmillan Cancer Support responds to the National Cancer Patient Experience Survey 2012/13Macmillan Cancer Support responds to the National Cancer Patient Experience Survey 2012/132013-08-30T11:01:00Z2016-04-27T19:43:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstotheNationalCancerPatientExperienceSurvey201213.aspxMacmillan Cancer Support tops the PR Week and Third Sector Charity Brand IndexMacmillan Cancer Support tops the PR Week and Third Sector Charity Brand Index2013-08-22T14:30:00Z2016-04-27T19:53:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupporttopsthePRWeekandThirdSectorCharityBrandIndex.aspxMacmillan Cancer Support welcomes commitment from NHS England to continue with National Cancer Patient Experience SurveyMacmillan Cancer Support welcomes commitment from NHS England to continue with National Cancer Patient Experience Survey2013-08-09T15:42:00Z2016-04-27T19:54:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportwelcomescommitmentfromNHSEnglandtocontinuewithNationalCancerPatientExperienceSurvey.aspx18,000 cancer patients' medical files lost during their hospital stayOne in nine (11%)1 of the estimated 170,000 cancer patients in England admitted to hospital each year for treatment2 say their doctor or nurse lost their medical file at some point during their stay, according to new research by Macmillan Cancer Support.2013-08-09T00:01:00Z2016-04-27T16:47:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/18,000cancerpatientsmedicalfileslostduringtheirhospitalstay.aspxMacmillan Cancer Support disappointed by omission of key measures from Clinical Commissioning Group Outcomes Indicator SetNICE has today published its recommendations to NHS England for the Clinical Commissioning Group Outcome Indicator Set.2013-08-01T16:54:00Z2016-04-27T18:44:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportdisappointedbyomissionofkeymeasuresfromClinicalCommissioningGroupOutcomesIndicatorSet.aspxMacmillan Cancer Support responds to government investment in Proton Beam TherapyToday the Department of Health announced secured funding to build Proton Beam Therapy Centres at The Christie NHS Foundation Trust hospital in Manchester and University College London Hospitals NHS Foundation Trust worth £250million[1].2013-08-01T00:01:00Z2016-04-27T21:26:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Protonbeamtherapy-MacmillanCancerSupportrespondstogovernmentinvestment.aspxHalf a million UK cancer survivors faced with disability and poor healthMacmillan Cancer Support warns that the NHS is woefully unprepared to help the rapidly growing number of cancer survivors.2013-07-19T00:01:00Z2016-04-27T18:06:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/HalfamillionUKcancersurvivorsfacedwithdisabilityandpoorhealth.aspxMacmillan Cancer Support responds to parliamentary report on care of older breast cancer patientsInformation on Macmillan Cancer Support responds to parliamentary report on care of older breast cancer patients2013-07-17T00:01:00Z2016-04-27T19:25:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstoparliamentaryreportoncareofolderbreastcancerpatients.aspxMacmillan Cancer Support responds to the Keogh review into patient careMacmillan Cancer Support responds to the Keogh review into patient care2013-07-16T16:27:00Z2016-04-27T19:40:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstotheKeoghreviewintopatientcare.aspxMacmillan Cancer Support responds to Liverpool Care Pathway reviewMacmillan Cancer Support responds to Liverpool Care Pathway review2013-07-15T14:42:00Z2016-04-27T19:09:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstoLiverpoolCarePathwayreview.aspxMacmillan Cancer Support responds to the VOICES Survey 2012Macmillan Cancer Support responds to the VOICES Survey 20122013-07-11T16:53:00Z2016-04-27T19:47:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstotheVOICESSurvey2012.aspxEthnic minority cancer patients 'invisible' to health professionalsOne in four (27%) ethnic minority cancer patients say hospital doctors spoke in front of them as if they were not there, reveals new analysis by Macmillan Cancer Support.2013-07-08T00:01:00Z2016-04-27T17:53:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/EthnicMinorityCancerPatientsInvisibleToHealthProfessionals.aspxMacmillan responds to Hunt's speech on elderly careMike Hobday, Director of Policy and Research at Macmillan Cancer Support, comments on Jeremy Hunt's announcement on plans for elderly care patients to be assigned a named clinician when they leave hospital.2013-07-05T13:43:00Z2016-04-27T20:17:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanrespondstoHuntsspeechonelderlycare.aspxCancer survivor and Ken Bruce unveil Macmillan Cancer Support Legacy Garden in memory of loved oneBBC Radio 2 Presenter Ken Bruce opens the garden at Hampton Court Palace Flower Show which pays tribute to and promotes the importance of leaving a gift to a cause or charity in wills2013-07-05T12:53:00Z2016-04-27T17:31:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/CancersurvivorandKenBruceunveilMacmillanCancerSupportLegacyGardeninmemoryoflovedone.aspxSilver Spoon Local Little Hero Awards launches for MacmillanTo celebrate Macmillan's World's Biggest Coffee Morning, official sugar partner Silver Spoon, the home-grown sugar people, has launched the Silver Spoon Local Little Hero Awards.2013-07-04T14:35:00Z2016-04-27T21:38:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/SilverSpoonLocalLittleHeroAwardslaunchesforMacmillan.aspxMore than a million people can benefit from getting active during and after cancerBoots Macmillan Information Pharmacists can now provide physical activity information within the local community, including a new exercise DVD, to people affected by cancer2013-07-03T11:53:00Z2016-04-27T20:56:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Morethanamillionpeoplecanbenefitfromgettingactiveduringandaftercancer.aspxMacmillan supports call for people with a persistent cough to visit their GPMacmillan Cancer Support responds to the launch of a new phase of the NHS Be Clear on Cancer campaign2013-07-02T00:01:00Z2016-04-27T20:48:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillansupportscallforpeoplewithapersistentcoughtovisittheirGP.aspxFinal 2013 Virgin London Triathlon places up for grabs with Macmillan Cancer SupportFinal 2013 Virgin London Triathlon places up for grabs with Macmillan Cancer Support2013-06-28T14:18:00Z2016-04-27T17:57:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Final2013VirginLondonTriathlonplacesupforgrabswithMacmillanCancerSupport.aspxMacmillan Cancer Support responds to the Government's Spending ReviewMacmillan Cancer Support responds to the Government's Spending Review2013-06-26T16:25:00Z2016-04-27T19:38:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstotheGovernmentsSpendingReview.aspxMacmillan Cancer Support responds to new ONS cancer incidence figuresMacmillan Cancer Support responds to new ONS cancer incidence figures2013-06-26T14:18:00Z2016-04-27T19:18:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstonewONScancerincidencefigures.aspxnpower employees put their best feet forward to the top of Mount Kilimanjaro for Macmillan Cancer SupportA team of 15 intrepid npower employees have taken on the challenge of climbing Kilimanjaro, in aid of Macmillan Cancer Support.2013-06-25T09:16:00Z2016-04-27T21:10:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/npoweremployeesputtheirbestfeetforwardtothetopofMountKilimanjaroforMacmillanCancerSupport.aspxTwo-fifths of Britons sunburn on purpose to get 'deeper' tanTwo-fifths of people (40%) say they burn their skin in the sun on purpose to "deepen" a tan, according to new research by Macmillan Cancer Support.2013-06-24T00:01:00Z2016-04-27T22:02:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Two-fifthsofBritonssunburnonpurposetogetdeepertan.aspxThis Friday UK Schools Dress Up and Dance for MacmillanThis Friday, Primary School pupils around the UK will be wearing their favourite dance outfit to school to mark Macmillan Cancer Support's new schools fundraising event, Dress Up and Dance2013-06-17T16:28:00Z2016-04-27T21:58:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/ThisFridayUKSchoolsDressUpandDanceforMacmillan.aspxMacmillan Cancer Support official charity of the Cannes Young Lions Print Competition 2013Macmillan Cancer Support official charity of the Cannes Young Lions Print Competition 20132013-06-17T00:01:00Z2016-04-27T18:46:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportofficialcharityoftheCannesYoungLionsPrintCompetition2013.aspxCharity invests £5m to transform cancer care in ScotlandWith new figures released last week predicting that by 2020 almost half the population will get cancer in their lifetime, a leading cancer charity is investing £5m in a ground-breaking project to transform cancer care in Scotland.2013-06-14T15:11:00Z2016-04-27T17:40:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Charityinvests5mtotransformcancercareinScotland.aspxMacmillan Cancer Support responds to the postcode lottery of endoscopy referralsMacmillan responds to new research by the University of Liverpool being presented at Public Health England's National Cancer Intelligence Network Conference today2013-06-13T08:47:00Z2016-04-27T19:45:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstothepostcodelotteryofendoscopyreferrals.aspxUK Schools join World's Biggest Coffee Morning for Macmillan Cancer SupportMacmillan Cancer Support is asking schools around the UK to make time for what really matters on 27th September by hosting a World's Biggest Coffee Morning and helping raise over £15million for people affected by cancer.2013-06-12T12:03:00Z2016-04-27T22:04:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/UKSchoolsjoinWorldsBiggestCoffeeMorningforMacmillanCancerSupport.aspx400,000 cancer patients survive a decade after diagnosisThere are currently around 400,000 people in England who have survived cancer between ten and 20 years after diagnosis, according to new research by Macmillan Cancer Support and the National Cancer Intelligence Network (NCIN)2013-06-12T00:01:00Z2016-04-27T16:52:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/400,000cancerpatientssurviveadecadeafterdiagnosis.aspxPeers and MPs pull together for Macmillan Cancer Support's annual Parliamentary Tug of WarInformation on Peers and MPs pull together for Macmillan Cancer Support's annual Parliamentary Tug of War2013-06-11T15:29:00Z2016-04-27T21:21:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/PeersandMPspulltogetherforMacmillanCancerSupportsannualParliamentaryTugofWar.aspxBy 2020 almost half of Britons will get cancer in their lifetime – but 38% will not die from the diseaseIn 2020 almost one in two people (47%) will get cancer in their lifetime, but almost four in 10 (38%)1 will not die from the disease, according to new projections from Macmillan Cancer Support.2013-06-07T00:01:00Z2016-04-27T17:19:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/By2020almosthalfofBritonswillgetcancerintheirlifetime–but38willnotdiefromthedisease.aspxJoin the World's Biggest Coffee Morning on Friday 27 SeptemberMake time for what really matters this September by registering to host a World's Biggest Coffee Morning and helping Macmillan Cancer Support raise over £15million for people affected by cancer.2013-06-05T11:14:00Z2016-04-27T18:17:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/JointheWorldsBiggestCoffeeMorningonFriday27September.aspxInnovative Macmillan and npower initiative wins major business charity awardA joint initiative between Macmillan Cancer Support and energy supplier npower to help people affected by cancer take control of their fuel bills, has been recognised by the Third Sector Business Charity Awards.2013-05-28T14:51:00Z2016-04-27T18:13:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/InnovativeMacmillanandnpowerinitiativewinsmajorbusinesscharityaward.aspxOver 10,000 cancer patients given wrong drugs in hospitalMacmillan Cancer Support's new figures reveal that six percent1 of the estimated 170,000 cancer patients in England admitted to hospital each year for treatment say they are given the wrong drugs.2013-05-16T00:01:00Z2016-04-27T21:18:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Over10,000cancerpatientsgivenwrongdrugsinhospital.aspxAltruism is the new retail therapy as a quarter of people in the UK* do good for others to boost their happinessAltruism is the new retail therapy as a quarter of people in the UK* do good for others to boost their happiness2013-05-10T09:28:00Z2016-04-27T17:03:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/AltruismisthenewretailtherapyasaquarterofpeopleintheUKdogoodforotherstoboosttheirhappiness.aspxJack O'Connell proud of Derby County's Innovative 'Good Together' partnership with Macmillan Cancer SupportDerby County fan Jack O'Connell is backing Macmillan Cancer Support's very first Good Together partnership with his beloved Derby County Football Club.2013-05-09T14:49:00Z2016-04-27T18:15:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/JackOConnellproudofDerbyCountysInnovativeGoodTogetherpartnershipwithMacmillanCancerSupport.aspxMacmillan Cancer Support responds to the Care Bill announced in the Queen's SpeechMacmillan Cancer Support responds to the Care Bill announced in the Queen's Speech2013-05-08T13:46:00Z2016-04-27T19:35:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstotheCareBillannouncedintheQueensSpeech.aspxRise in cancer patients facing discrimination at workThere has been a rise in the number of people living with cancer experiencing discrimination at work - despite the introduction of the Equality Act, according to Macmillan Cancer Support.2013-05-03T00:01:00Z2016-04-27T21:32:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Riseincancerpatientsfacingdiscriminationatwork.aspxCancer costs four in five patients on average £570 a monthFour in five (83%) cancer patients are hit with an average cost of £570 a month as a result of their illness, comparable to a monthly mortgage payment, according to new research by Macmillan Cancer Support.2013-04-19T00:01:00Z2016-04-27T17:23:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Cancercostsfourinfivepatientsonaverage570amonth.aspxMacmillan Cancer Support comments on future of the Cancer Drugs FundMacmillan Cancer Support comments on future of the Cancer Drugs Fund2013-04-05T14:01:00Z2016-04-27T18:41:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportcommentsonfutureoftheCancerDrugsFund.aspxMacmillan Cancer Support comments on start of new NHS in EnglandInformation on Macmillan Cancer Support comments on start of new NHS in England2013-04-01T00:01:00Z2016-04-27T18:43:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportcommentsonstartofnewNHSinEngland.aspxBetter support for soaring numbers of cancer survivorsThe soaring number of people surviving cancer should for the first time be given comprehensive emotional and social care support, as well as medical treatment, Public Health Minister Anna Soubry and Macmillan Cancer Support Chief Executive, Ciarán Devane, announced today.2013-03-29T00:01:00Z2016-04-27T17:11:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Bettersupportforsoaringnumbersofcancersurvivors.aspxMacmillan comments on the Government's response to the Francis InquiryCiarán Devane, Chief Executive of Macmillan Cancer Support, comments on the Government response to the recommendations by Sir Robert Francis, outlined in his report into the scandal at Mid-Staffordshire NHS Foundation Trust.2013-03-26T13:52:00Z2016-04-27T20:01:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillancommentsonJeremyHuntsresponsetotheFrancisInquiry.aspxTwo in three cancer patients who died in hospital wanted to die at homeMacmillan Cancer Support reveals that two in three (65%) cancer patients in England who died in hospital, wanted to die at home.2013-03-19T00:01:00Z2016-04-27T22:02:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Twointhreecancerpatientswhodiedinhospitalwantedtodieathome.aspxSex lives of 160,000 men with prostate cancer at riskThere are 160,000 men living with prostate cancer in the UK who cannot have a full sex life, estimates Macmillan Cancer Support - with two in three (63%) unable to get an erection.2013-03-16T00:01:00Z2016-04-27T21:35:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Sexlivesof160,000menwithprostatecanceratrisk.aspxMacmillan Cancer Support responds to quarterly DH cancer waiting times statisticsResponding to cancer waiting times statistics for quarter 3 2012-13 released today by the Department of Health2013-02-22T14:31:00Z2016-04-27T19:29:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstoquarterlyDHcancerwaitingtimesstatistics.aspxMacmillan Cancer Support responds to the Health Secretary's statement on funding social careResponding to the Health Secretary's statement in the House of Commons this afternoon on the funding of social care2013-02-12T14:10:00Z2016-04-27T19:39:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstotheHealthSecretarysstatementonfundingsocialcare.aspxA quarter of cancer patients face isolation each yearA research report on isolation from Macmillan Cancer Support shows one in four newly diagnosed cancer patients lack support from family and friends during their treatment and recovery2013-02-11T10:40:00Z2016-04-27T17:05:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Aquarterofcancerpatientsfaceisolationeachyear.aspxMacmillan Cancer Support responds to the Francis InquiryToday, the Government published its response to the Francis Inquiry which is a report into the failings in the Mid-Staffordshire NHS Foundation Trust.2013-02-06T12:24:00Z2016-04-27T19:37:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstotheFrancisInquiry.aspxROYAL VISIT CELEBRATES CANCER CENTRE PARTNERSHIPThe University College Hospital Macmillan Cancer Centre was treated to its first Royal visit today when Their Royal Highnesses The Prince of Wales - patron of Macmillan Cancer Support - and The Duchess of Cornwall met with patients and staff. Katherine Jenkins, classical crossover artist and one of the charity's most dedicated ambassadors, also joined the visit.2013-01-31T14:40:00Z2016-04-27T21:32:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/ROYALVISITCELEBRATESCANCERCENTREPARTNERSHIP.aspxMacmillan Cancer Support responds to Cancer Research UK's report on the higher cancer death rate in menMacmillan Cancer Support responds to Cancer Research UK's report on the higher cancer death rate in men2013-01-29T00:01:00Z2016-04-27T18:50:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstoCancerResearchUKsreportonthehighercancerdeathrateinmen.aspxMacmillan Cancer Support comments on the Government's employment and support changesToday the Government announced that they will be implementing further changes to the Work Capability Assessment for cancer patients on Employment and Support Allowance (ESA) to improve the way in which it assesses the effect of cancer treatment.2013-01-28T15:59:00Z2016-04-27T18:44:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportcommentsonthegovernmentsemploymentandsupportchanges.aspxNew year sees dramatic fuel bill high for cancer patientsThe last week of 2012 saw a dramatic spike in grants given out by Macmillan Cancer Support for cancer patients struggling to cope with their fuel bills.2013-01-23T00:01:00Z2016-04-27T21:07:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Newyearseesdramaticfuelbillhighforcancerpatients.aspxCancer patients estimated to be in almost £3million of debt to energy companies in the UKNew research by Macmillan Cancer Support shows that around 27,000 cancer patients in the UK could be behind with paying their fuel bills and owe their fuel providers as much as £2.8million in overdue payments.2012-12-27T00:01:00Z2016-04-27T17:27:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Cancerpatientsestimatedtobeinalmost3millionofdebttoenergycompaniesintheUK.aspxAgeism in NHS stopping older cancer patients getting treatmentAgeism in the NHS is stopping some older cancer patients getting the best treatment according to a survey of oncologists, cancer clinical nurse specialists and GPs by Macmillan Cancer Support.2012-12-20T00:10:00Z2016-04-27T16:59:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/AGEISMINNHSSTOPPINGOLDERCANCERPATIENTSGETTINGBESTTREATMENT.aspxMacmillan comments on NCIN's thyroid statisticsProfessor Jane Maher, Chief Medical Officer of Macmillan Cancer Support responds to National Cancer Intelligence Network's (NCIN) new report on the increase in thyroid cancer.2012-12-14T00:01:00Z2016-04-27T20:02:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillancommentsonNCINsthyroidstatistics.aspxMacmillan responds to NCIN's leukaemia reportProfessor Jane Maher, Chief Medical Officer of Macmillan Cancer Support, responds to National Cancer Intelligence Network's (NCIN) report on chronic myeloid leukaemia.2012-12-12T00:01:00Z2016-04-27T20:23:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanrespondstoNCINsleukaemiareport.aspxMacmillan responds to Health Secretary's cancer speechMike Hobday, Director of Policy and Research at Macmillan Cancer Support, responds to Jeremy Hunt's confirmation today at the All Party Parliamentary Group on Cancer's Britain Against Cancer conference that pilot screening programmes will be launched in England in 2013 to test new ways of identifying bowel and cervical cancer.2012-12-11T16:40:00Z2016-04-27T20:17:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanrespondstoHealthSecretaryscancerspeech.aspxMacmillan welcomes the patient reported outcomes survey of cancer survivors in EnglandCiarán Devane, Chief Executive of Macmillan Cancer Support, responds to the Patient Reported Outcomes Survey of Cancer Survivors in England, launched by the Department of Health today.2012-12-11T00:01:00Z2016-04-27T20:52:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanwelcomesthepatientreportedoutcomessurveyofcancersurvivorsinEngland.aspxMacmillan responds to cancer network storyDuleep Allirajah, Head of Policy at Macmillan Cancer Support, responds to cancer network story.2012-12-10T09:56:00Z2016-04-27T20:09:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Macmillanrespondstocancernetworkstory.aspxMacmillan responds to the chancellor's announcements about welfare cutsCiarán Devane, Chief Executive of Macmillan Cancer Support, responds to the Government's Autumn Statement.2012-12-06T11:42:00Z2016-04-27T20:35:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Macmillanrespondstothechancellorsannouncementsaboutwelfarecuts.aspxMacmillan responds to shocking variations in quality of end of life care across EnglandDuleep Allirajah, Head of Policy at Macmillan Cancer Support, responds to the latest Office of National Statistics (ONS) figures on the quality of end of life care in England.2012-11-28T15:06:00Z2016-04-27T20:33:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanrespondstoshockingvariationsinqualityofendoflifecareacrossEngland.aspxMacmillan welcomes new guidelines on physical activityElaine McNish, Physical Activity Manager at Macmillan Cancer Support, responds to new guidelines on walking and cycling published by the National Institute of Clinical Excellence (NICE) today.2012-11-28T00:01:00Z2016-04-27T20:51:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Macmillanwelcomesnewguidelinesonphysicalactivity.aspx50,000 EMPLOYEES HAVE SECOND FULL-TIME 'JOB' AS CANCER CARERSInformation on 50,000 EMPLOYEES HAVE SECOND FULL-TIME 'JOB' AS CANCER CARERS2012-11-26T09:39:00Z2016-04-27T16:54:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/50,000EMPLOYEESHAVESECONDFULL-TIMEJOBASCANCERCARERS.aspxMacmillan responds to evidence that health and wellbeing boards are failing those at end of lifeMike Hobday, Director of Policy and Research at Macmillan Cancer Support, responds to a new report out today by the National Council of Palliative Care (NCPC) which reveals that just 46 percent of Health and Wellbeing Boards with public strategies have considered the needs of those at the end of life.2012-11-22T00:01:00Z2016-04-27T20:12:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Macmillanrespondstoevidencethathealthandwellbeingboardsarefailingthoseatendoflife.aspxMacmillan welcomes new report on care for cancer patients in crisisJane Maher, Chief Medical Officer at Macmillan Cancer Support, responds to a joint report by the Royal College of Physicians and the Royal College of Radiologists.2012-11-21T00:01:00Z2016-04-27T20:51:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Macmillanwelcomesnewreportoncareforcancerpatientsincrisis.aspxMacmillan comments on NCIN data on ovarian cancerDr Siobhan McClelland, Head of Research and Evidence of Macmillan Cancer Support, responds to the release of NCIN data around ovarian cancer.2012-11-20T00:01:00Z2016-04-27T20:02:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillancommentsonNCINdataonovariancancer.aspxMacmillan welcomes Single Operating Framework proposalsCiarán Devane, Chief Executive at Macmillan Cancer Support, comments on the Strategic Operating Framework for Clinical Networks report published today.2012-11-14T12:38:00Z2016-04-27T20:52:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanwelcomesStrategicOperatingFrameworkproposals.aspxMacmillan responds to the publication of the NHS mandateDuleep Allirajah, Head of Policy at Macmillan Cancer Support, responds to the publication of the Government's mandate to the NHS Commissioning Board.2012-11-13T00:00:00Z2016-04-27T20:41:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanrespondstothepublicationoftheNHSmandate.aspxLung cancer in women set to rise 35 times faster than men by 2040The number of women living with lung cancer in the UK is set to rise 35 times faster than in men within the next 30 years, warns Macmillan Cancer Support.2012-11-12T00:01:00Z2016-04-27T18:28:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Lungcancerinwomensettorise35timesfasterthanmenby2040.aspxMacmillan honours professionals at excellence awardsMacmillan Cancer Support honoured the incredible work of nurses and health professionals last night at their prestigious annual Macmillan Excellence Awards.2012-11-09T00:01:00Z2016-04-27T18:45:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupporthonoursprofessionalsatexcellenceawards.aspxMacmillan responds to NCRI research on costs of lung cancerDr Siobhan McClelland, Head of Evidence of Macmillan Cancer Support, responds to NCRI research released today on the cost of lung cancer eclipsing the cost of any other cancer.2012-11-07T00:01:00Z2016-04-27T20:24:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanrespondstoNCRIresearchonlungcancercosts.aspxMacmillan responds to ONS statistics on cause of death in England and WalesDuleep Allirajah, Head of Policy of Macmillan Cancer Support, responds to the Office of National Statistics figures released today that show that cancer is the biggest killer in England and Wales.2012-11-06T15:06:00Z2016-04-27T20:30:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanrespondstoONSstatisticsoncauseofdeath.aspxMacmillan comments on breast cancer screening reviewJane Maher, Chief Medical Officer at Macmillan Cancer Support, comments on the review of breast cancer screening published today in The Lancet.2012-10-30T14:05:00Z2016-04-27T20:00:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Macmillancommentsonbreastcancerscreeningreview.aspxExercise proven to reduce depression in cancer patientsRegular exercise reduces depression in cancer patients, according to Macmillan Cancer Support following the first study into the long-term benefits of supervised physical activity for cancer patients during treatment.2012-10-29T09:31:00Z2016-04-27T17:54:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Exerciseproventoreducedepressionincancerpatients.aspxMacmillan Cancer Support responds to latest cancer survival statisticsCharlotte Potter, Policy Manager at Macmillan Cancer Support responds to the Cancer Survival Statistics for England released today by Office National Statistics.2012-10-23T10:55:00Z2016-04-27T19:05:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstolatestcancersurvivalstatistics.aspxMacmillan responds to the care and support draft billMacmillan Cancer Support today submitted its response to the consultation on the Care and Support Draft Bill together with an open letter signed by over 7,500 supporters calling for the Government to make social care free at end of life.2012-10-19T00:01:00Z2016-04-27T19:35:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstotheCareandSupportDraftBill.aspxMacmillan responds to Government comments on energy tariffsLaura Keely, Campaigns Manager at Macmillan Cancer Support, responds to the Government's comments on energy tariffs.2012-10-18T12:48:00Z2016-04-27T20:13:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanrespondstoGovernmentcommentsonenergytariffs.aspxNumber of older people living with breast cancer set to almost quadruple by 2040By 2040 there will be more than one million women in the UK living with breast cancer aged 65 and over, according to research funded by Macmillan Cancer Support.2012-10-16T00:01:00Z2016-04-27T21:13:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Numberofolderpeoplelivingwithbreastcancersettoalmostquadrupleby2040.aspxMacmillan Cancer Support responds to Jeremy Hunt's speechCiarán Devane, Chief Executive at Macmillan Cancer Support, comments on Jeremy Hunt's speech at the Conservative party conference today.2012-10-09T15:36:00Z2016-04-27T20:19:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanrespondstoJeremyHuntsspeech.aspxMonarch hosts the world's highest coffee morning for Macmillan Cancer SupportScheduled leisure airline Monarch has taken Macmillan's World's Biggest Coffee Morning to new heights.2012-10-01T10:28:00Z2016-04-27T20:54:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MonarchhoststheworldshighestcoffeemorningforMacmillanCancerSupport.aspxMacmillan responds to NCIN's routes to diagnosis researchProfessor Jane Maher, Chief Medical Officer at Macmillan Cancer Support, responds to NCIN research Routes to Diagnosis released today that finds a third of cancer in the over 70s are diagnosed through emergency admission to hospital.2012-09-21T11:36:00Z2016-04-27T20:23:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanrespondstoNCINsroutestodiagnosisresearch.aspxMacmillan responds to Govt proposals to introduce a new fuel poverty measureLaura Keely, Campaigns Manager at Macmillan Cancer Support, comments on Government proposals to introduce a new way to measure fuel poverty in England.2012-09-18T16:31:00Z2016-04-27T20:16:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanrespondstoGovtproposalstointroduceanewfuelpovertymeasure.aspxMacmillan Cancer Support Statement on Government ESA Consultation ResponseMacmillan Cancer Support's statement on the Government consultation around Work Capability Assessment: Accounting for the effects of cancer treatment, that closed in March 2012, the Department of Work and Pensions has released its formal response.2012-09-17T10:36:00Z2016-04-27T20:48:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MACMILLANSTATEMENTONGOVENMENTCONSULATIONRESPONSE.aspxNearly a quarter of a million school children think that cancer is contagiousShocking new figures from Macmillan Cancer Support show that over 220,000 9-16 year olds believe that you can 'catch' cancer from someone else.2012-09-07T00:01:00Z2016-04-27T20:59:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Nearlyaquarterofamillionschoolchildrenthinkthatcanceriscontagious.aspxMacmillan responds to appointment of Jeremy Hunt as Secretary of State for HealthMike Hobday, Director of Policy and Research at Macmillan Cancer Support, responds to the appointment of Jeremy Hunt as the new Secretary of State for Health.2012-09-04T15:20:00Z2016-04-27T20:08:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanrespondstoappointmentofJeremyHuntasSecretaryofStateforHealth.aspxMacmillan exposes hospitals failing to provide adequate care for cancer patientsNine of London's NHS Trusts are at the bottom of a league table measuring cancer patient experience across England, according to new data released today by Macmillan Cancer Support.2012-08-29T00:01:00Z2016-04-27T20:03:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Macmillanexposeshospitalsfailingtoprovideadequatecareforcancerpatients.aspxNumber of older people living with cancer set to treble by 2040Macmillan Cancer Support warns the number of older people (aged 65 and over) living with cancer in the UK is set to more than treble by 2040 – from 1.3 million in 2010 to 4.1 million.2012-08-20T00:01:00Z2016-04-27T21:13:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Numberofolderpeoplelivingwithcancersettotrebleby2040.aspxMacmillan responds to publication of national cancer patient experience survey resultsJuliet Bouverie, Director of Services, responds to the publication of the national Cancer Patient Experience Survey 2011.2012-08-17T00:01:00Z2016-04-27T20:31:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Macmillanrespondstopublicationofnationalcancerpatientexperiencesurveyresults.aspxMacmillan responds to Government's rethink on a social care capMike Hobday, Director of Policy and Research at Macmillan Cancer Support, responds to the Government's reported rethink about social care funding which would see a lifetime cap on care costs of £35,000 included in the Care and Support Bill.2012-08-16T12:19:00Z2016-04-27T19:38:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstotheGovernmentsrethinkonasocialcarecap.aspxSilver Spoon launches Local Little Hero AwardsTo celebrate Macmillan's World's Biggest Coffee Morning, official sugar partner Silver Spoon has launched the Silver Spoon Local Little Hero Awards.2012-08-13T00:00:00Z2016-04-27T21:36:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/SilverSpoonlaunchesLocalLittleHeroAwards.aspxMacmillan Cancer Support responds to NHS Commissioning Outcomes Framework omitting key cancer survival indicatorsInformation on Macmillan Cancer Support responds to NHS Commissioning Outcomes Framework omitting key cancer survival indicators2012-08-01T13:50:00Z2016-04-27T21:08:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/NHSCommissioning response.aspxJulie Verhoeven designs exclusively for Macmillan Cancer Support to celebrate the World's Biggest Coffee MorningFashion designer, artist and illustrator Julie Verhoeven has designed a stunning limited edition espresso cup & saucer exclusively for Macmillan Cancer Support to celebrate the World's Biggest Coffee Morning on Friday 28th September.2012-08-01T00:00:00Z2016-04-27T18:19:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/JulieVerhoevendesignsexclusivelyforMacmillantocelebratetheWorldsBiggestCoffeeMorning.aspxJoin the World's Biggest Coffee Morning on Friday 28 SeptemberMake time for what matters in life by joining the World's Biggest Coffee Morning on Friday 28 September and help raise more than £10.8m for Macmillan Cancer Support.2012-08-01T00:00:00Z2016-04-27T18:17:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/JointheWorldsBiggestCoffeeMorningonFriday28September.aspxM&S joins Macmillan for the World's Biggest Coffee MorningWith the 'World's Biggest Coffee Morning' fast approaching, M&S Café has teamed up with Macmillan Cancer Support for the third consecutive year in a bid to make the 2012 event on 28 September better than ever before.2012-08-01T00:00:00Z2016-04-27T20:57:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MSjoinsMacmillanfortheWorldsBiggestCoffeeMorning.aspxMacmillan Cancer Support calls for assurances on focus of Strategic Clinical NetworksMike Hobday, Director of Policy and Research at Macmillan Cancer Support comments on the NHS Commissioning Board Special Authority's report on the future of strategic clinical networks2012-07-26T16:46:00Z2016-04-27T18:39:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MACMILLANCANCERSUPPORTCALLSFORASSURANCESONFOCUSOFSTRATEGICCLINICALNETWORKS.aspxFour in five cancer patients still not being prescribed exerciseInformation on Four in five cancer patients still not being prescribed exercise2012-07-16T00:01:00Z2016-04-27T17:59:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Fourinfivecancerpatientsstillnotbeingprescribedexercise.aspxMacmillan responds to BMJ research on breast conserving surgeryInformation on Macmillan responds to BMJ research on breast conserving surgery2012-07-12T15:53:00Z2016-04-27T20:08:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanrespondstoBMJresearchonbreastconservingsurgery.aspxMacmillan Welcomes Care and Support White PaperMacmillan welcomes the Government's white paper on care and support as the first step towards free social care at the end of life.2012-07-11T13:56:00Z2016-04-27T20:51:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanWelcomesCareandSupportWhitePaperasFirstStepTowardsFreeSocialCareattheEndofLife.aspxMacmillan welcomes exercise and cancer being a priority for Olympic legacyInformation on Macmillan welcomes exercise and cancer being a priority for Olympic legacy2012-07-10T11:53:00Z2016-04-27T18:30:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Macmillan welcomes Exercise and Cancer being a priority for Olympic legacy.aspxMacmillan banks on Barclays in North LondonBank staff commit to raising £100,000 for local cancer support. Barclays staff in North London have pledged to raise £100,000 to fund a Macmillan Senior Specialist Dietitian for the next two years, which will support people affected by cancer in the local community.2012-07-06T10:57:00Z2016-04-27T18:35:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanbanksonBarclaysinNorthLondon.aspxCancer patients forced to rely on charity for clothesDesperate cancer patients who change weight or body shape because of cancer or cancer treatment are relying on charity handouts because they cannot afford the new clothes they need, according to Macmillan Cancer Support.2012-07-05T09:01:00Z2016-04-27T17:27:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/CANCERPATIENTSFORCEDTORELYONCHARITYFORCLOTHES.aspxMacmillan responds to The Government Mandate consultation for the NHS Commissioning BoardMacmillan Cancer Support responds to the Government's consultation announcement on the mandate for NHS Commissioning Board - to hold it to account.2012-07-04T12:56:00Z2016-04-27T20:36:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanrespondstoTheGovernmentManadateconsultationfortheNHSCommissioningBoard.aspxCancer patients not receiving enough support to die at homeInformation on Cancer patients not receiving enough support to die at home2012-07-03T14:46:00Z2016-04-27T17:29:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Cancerpatientsnotreceivingenoughsupporttodieathome.aspxNearly half of cancer patients from ethnic minorities don't have complete confidence in nursesInformation on Nearly half of cancer patients from ethnic minorities don't have complete confidence in nurses2012-07-02T00:01:00Z2016-04-27T21:00:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Nearlyhalfofcancerpatientsfromethnicminoritiesdonthavecompleteconfidenceinnurses.aspxMacmillan Responds to Government Accouncement on Open DataInformation on Macmillan Responds to Government Accouncement on Open Data2012-06-29T09:53:00Z2016-04-27T20:12:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Macmillanrespondstogovernmentaccouncementonopendata.aspxNew tool for bowel cancer patients to see how their hospital is ratedNewly-diagnosed bowel cancer patients in England will be able to see how other patients rated their hospital, thanks to a new easy to use internet tool created by Macmillan Cancer Support.2012-06-21T00:01:00Z2016-04-27T21:06:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Newtoolforbowelcancerpatientstoseehowtheirhospitalisrated.aspxMacmillan responds to Westminster Hall cancer care debateMike Hobday, Director of Policy and Research at Macmillan Cancer Support, responds to today's Westminster Hall debate on cancer care.2012-06-20T09:48:00Z2016-04-27T20:42:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanrespondstoWestminsterHallcancercaredebate.aspxMacmillan responds to Commission on Dignity in Care for Older People reportJagtar Dhanda, Head of Inclusion at Macmillan Cancer Support, responds to the Commission on Dignity in Care for Older People report on the care of older people in hospitals and care homes.2012-06-18T10:59:00Z2016-04-27T20:10:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanrespondstoCommissiononDignityinCareforOlderPeoplereport.aspxMacmillan responds to NCIN research about bowel cancer and deprivationMike Hobday, Director of Policy and Research at Macmillan Cancer Support, responds to the NCIN study 'The influence of socioeconomic circumstances on survival after surgery for colorectal cancer'.2012-06-14T00:01:00Z2016-04-27T20:21:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanrespondstoNCINresearchaboutbowelcanceranddeprivation.aspxMacmillan responds to Government's announcement on Green Deal and Energy Company ObligationSiobhan McClelland, Head of Evidence at Macmillan Cancer Support, responds to the Government's announcement on the Green Deal and Energy Company Obligation, which sets out an almost 50% cut in funding on energy efficiency in the poorest homes.2012-06-13T14:18:00Z2016-04-27T20:14:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanrespondstoGovernmentsannouncementonGreenDealandEnergyCompanyObligation.aspxMacmillan responds to ONS figures showing rise in new cases of cancer in EnglandDuleep Allirajah, Head of Policy at Macmillan Cancer Support, responds to new cancer incidence data from the Office of National Statistics showing a rise in the number of new cases of cancer in England.2012-06-13T14:11:00Z2016-04-27T20:29:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanrespondstoONSfiguresshowingriseinnewcasesofcancerinEngland.aspxMacmillan responds to news that age discrimination against NHS patients is to be made illegalJenny Ritchie-Campbell, Director of Cancer Services Innovation, reponds to news that age discrimination against NHS patients is to be made illegal.2012-06-12T14:06:00Z2016-04-27T20:25:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanrespondstonewsthatagediscriminationagainstNHSpatientsistobemadeillegal.aspxOne in five breast cancer patients will get recurrenceOver one in five breast cancer patients (22.6%) will see their breast cancer return, according to new research by Macmillan Cancer Support.2012-06-12T00:01:00Z2016-04-27T21:15:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Oneinfivebreastcancerpatientswillgetrecurrence.aspxSowing the seeds of recovery: Gardening helps cancer patients beat depressionThree in four gardeners living with cancer say that gardening during and after treatment helped them manage feelings of depression and sadness, according to new research by Macmillan Cancer Support and the National Gardens Scheme published today.2012-06-06T11:44:00Z2016-04-27T21:40:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/SowingtheseedsofrecoveryGardeninghelpscancerpatientsbeatdepression.aspxMacmillan responds to 'Desperately Seeking Sympathy' documentaryLaura Goss, Online Community Manager at Macmillan Cancer Support, responds to the BBC Radio 4 documentary 'Desperately Seeking Sympathy' on Münchausen's by Internet.2012-06-01T12:16:00Z2016-04-27T20:11:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanrespondstoDesperatelySeekingSympathydocumentary.aspxMacmillan responds to predicted rise in cancer incidence due to western lifestylesElaine McNish, Physical Activity Manager at Macmillan Cancer Support, responds to a new study which predicts that unhealthy western lifestyles will result in a more than 75% increase in cancer incidence globally by 2030.2012-06-01T12:11:00Z2016-04-27T20:31:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Macmillanrespondstopredictedriseincancerincidenceduetowesternlifestyles.aspxMacmillan responds to government's decision to scrap tax relief capMike Hobday, Director of Policy and Research at Macmillan Cancer Support, responds to the government's decision to scrap the tax relief cap.2012-05-31T15:24:00Z2016-04-27T20:14:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Macmillanrespondstogovernmentsdecisiontoscraptaxreliefcap.aspxThe Queen pins her hopes on new Jubilee outfitThis Jubilee weekend London's royalty Pearly Queen Jackie Murphy will be leading celebrations when she trades in her pearlies for pin badges courtesy of Macmillan Cancer Support and Poundland.2012-05-31T14:58:00Z2016-04-27T21:57:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/TheQueenpinsherhopesonnewJubileeoutfit.aspxMacmillan responds to latest Nuffield Trust report on reforming social careGus Baldwin, Head of Public Affairs at Macmillan Cancer Support, responds to the latest report by the Nuffield Trust, 'Reforming social care: options for funding'.2012-05-29T12:47:00Z2016-04-27T20:19:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanrespondstolatestNuffieldTrustreportonreformingsocialcare.aspxMacmillan responds to Cancer Waiting Times statisticsJenny Ritchie-Campbell, Director Cancer Services Innovation at Macmillan Cancer Support, responds to the Waiting Times for Suspected and Diagnosed Cancer Patients released today.2012-05-25T12:04:00Z2016-04-27T20:10:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanrespondstoCancerWaitingTimesstatistics.aspxMacmillan warns new NHS 'friends and family test' falls short for patientsCiarán Devane, Macmillan Cancer Support Chief Executive, warns that the new NHS 'friends and family test' falls short for patients.2012-05-25T11:55:00Z2016-04-27T20:49:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanwarnsthatthenewNHSfriendsandfamilytestfallsshortforpatients.aspxJoint Macmillan and Department of Health 'back to work' pilot wins national awardJenny Ritchie-Campbell, Director of Cancer Services Innovation at Macmillan Cancer Support comments on the news that The National Cancer Survivorship Initiative Vocational Rehabilitation pilots – a joint Macmillan and the Department of Health project – received the best VR initiative award at the VR Association Awards.2012-05-24T14:38:00Z2016-04-27T18:18:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/JointMacmillanandDepartmentofHealthbacktoworkpilotwinsnationalaward.aspxQuarter of women will not be wearing any suntan lotion on the hottest day of the yearAs temperatures are soaring this week and Thursday is predicted to be the hottest day of the year so far, a survey reveals almost a quarter of women in the UK won't be wearing any sun tan lotion.2012-05-24T00:01:00Z2016-04-27T17:06:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/AquarterofwomenwillnotbewearinganysuntanlotiononthehottestdayoftheyearintheUK.aspxMacmillan responds to Health Select Committee's Education, training and workforce planning reportMike Hobday, Director of Policy and Research at Macmillan Cancer Support, responds to the Health Select Committee's Education, training and workforce planning report.2012-05-23T10:53:00Z2016-04-27T20:17:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanrespondstoHealthSelectCommitteesEducation,trainingandworkforceplanningreport.aspxMacmillan responds to PCT mortality profilesMike Hobday, Director of Policy and Research at Macmillan Cancer Support, comments on new research which shows a breakdown of mortality profiles by Primary Care Trusts (PCTs).2012-05-22T12:27:00Z2016-04-27T20:30:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanrespondstoPCTMortalityProfiles.aspxMacmillan responds to new health and care information strategyDuleep Allirajah, Head of Policy at Macmillan Cancer Support, responds to the Government's new health and care information strategy.2012-05-21T11:46:00Z2016-04-27T20:15:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanrespondstoGovernmentsnewhealthandcareinformationstrategy.aspxMacmillan responds to fuel poverty figuresLaura Keely, Campaigns Manager at Macmillan Cancer Support, responds to the latest Government figures on levels of fuel poverty in the UK.2012-05-17T12:50:00Z2016-04-27T20:19:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Macmillanrespondstolatestfuelpovertyfigures.aspxStars of football, fashion & entertainment dazzle at fabulous Fashion KicksHosts Jane and Shay Given rolled out the red carpet at The Point on 1 May to welcome a host of superstars from the worlds of music, football, food and entertainment to their annual Fashion Kicks fundraiser, which raised in excess of £200,000 for Macmillan Cancer Support and local charities.2012-05-03T13:15:00Z2016-04-27T21:43:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Starsoffootball,fashionentertainmentdazzleatfabulousFashionKicks.aspxMacmillan responds to ESA time-limitDuleep Allirajah, Head of Policy at Macmillan Cancer Support, responds to the Employment Support Allowance time-limit.2012-04-30T17:25:00Z2016-04-27T20:11:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanrespondstoESAtime-limit.aspxNearly one in four women risk skin cancer by not wearing sun tan lotion abroadAccording to a poll by Macmillan Cancer Support for Sun Awareness Week (30 April – 6 May 2012), almost one in four women won't be wearing sun tan lotion when they go abroad this year.2012-04-30T09:13:00Z2016-04-27T21:00:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Nearlyoneinfourwomenriskskincancerbynotwearingsuntanlotionabroad.aspxMacmillan Cancer Support responds to alarming variation of cancer survival rates in England from the Office of National StatisticsMacmillan Cancer Support responds to alarming variation of cancer survival rates in England from the Office of National Statistics2012-04-26T12:26:00Z2016-04-27T18:47:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstoalarmingvariationofcancersurvivalratesinEnglandfromtheOfficeofNationalStatistics.aspxMacmillan comments on study showing aspirin can reduce the chances of dying from bowel cancerJacqui Graves, Head of Healthcare at Macmillan Cancer Support, comments on research published in the British Journal of Cancer showing aspirin can reduce the chances of dying from bowel cancer by almost a third.2012-04-25T12:46:00Z2016-04-27T20:02:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Macmillancommentsonstudyshowingaspirincanreducethechancesofdyingfrombowelcancer.aspxMacmillan responds to latest ONS figures showing rise in new cancer casesDuleep Allirajah, Head of Policy at Macmillan Cancer Support, responds to new cancer incidence data from the Office of National Statistics showing a rise in the number of new cases of cancer in England.2012-04-24T12:52:00Z2016-04-27T20:24:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Macmillanrespondstonewcancerincidencedata.aspxCharities demand action to deliver patient-centred services in new look NHSMacmillan Cancer Support, as member of the Richmond Group, is one of ten leading health and social care charities calling for the Government to instruct the new NHS Commissioning Board to have five key priorities for action and to ensure patients are central to the design and delivery of care in the new NHS.2012-04-19T12:36:00Z2016-04-27T17:39:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Charitiesdemandactiontodeliverpatient-centredservicesinnewlookNHS.aspxMacmillan responds to Govt's proposed tax relief capMike Hobday, Director of Policy and Research at Macmillan Cancer Support, responds to the Government's proposed tax relief cap.2012-04-11T09:26:00Z2016-04-27T20:15:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanrespondstoGovernmentsproposedtaxreliefcap.aspxMacmillan responds to Aldeburgh & District Fundraising CommitteeLynda Thomas, Director of Fundraising at Macmillan Cancer Support, responds to Aldeburgh & District Fundraising Committee closing in protest at Macmillan using door to door fundraisers in their area.2012-04-10T16:15:00Z2016-04-27T20:06:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanrespondstoAldeburghDistrictFundraisingCommittee.aspxMacmillan responds to rise in fuel billsMike Hobday, Director of Policy and Research at Macmillan Cancer Support, responds to new research by USwitch.com which show a rise in energy bills.2012-04-05T14:45:00Z2016-04-27T20:33:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Macmillanrespondstoriseinnumberofpeopleunabletopayfuelbills.aspxUniversity College Hospital Macmillan Cancer Centre opensThe University College Hospital Macmillan Cancer Centre will open its doors to patients for the first time this week – offering the most advanced service of its kind in the UK.2012-04-03T13:00:00Z2016-04-27T22:05:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/UniversityCollegeHospitalMacmillanCancerCentreopens.aspxToo old for cancer treatment?Under treatment is one of a number of factors contributing to around 14,000 avoidable cancer deaths in patients over 75 in the UK each year says Macmillan Cancer Support's new report launched today.2012-03-26T12:00:00Z2016-04-27T22:01:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Toooldforcancertreatment.aspxMacmillan responds to NCIN research into bowel cancer patientsMacmillan Cancer Support responds to research by the National Cancer Intelligence Network into the number of bowel cancer patients dying within a month of diagnosis.2012-03-26T11:45:00Z2016-04-27T20:22:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanrespondstoNCINresearchintobowelcancerpatients.aspxMacmillan Cancer Support responds to the announcement of the Palliative Care Funding Review Pilot sitesMacmillan Cancer Support responds to the announcement of the Palliative Care Funding Review Pilot sites.2012-03-23T15:49:00Z2016-04-27T19:34:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstotheannouncementofthePalliativeCareFundingReviewPilotsites.aspxMacmillan Cancer Support responds to Palliative Care Funding ReviewCiarán Devane, Chief Executive at Macmillan Cancer Support welcomes the findings of the Palliative Care Funding Review.2012-03-22T12:14:00Z2016-04-27T19:25:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstoPalliativeCareFundingReview.aspxMacmillan responds to increase in hospital car parking chargesDuleep Allirajah, Head of Policy at Macmillan Cancer Support, responds to the story that more than one in four hospital trusts have increased car parking charges for patients and visitors.2012-03-16T00:01:00Z2016-04-27T20:18:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Macmillanrespondstoincreaseinhospitalcarparkingcharges.aspxMacmillan responds to final report of Hills Fuel Poverty ReviewDuleep Allirajah, Head of Policy at Macmillan Cancer Support, responds to the final report of the Hills Fuel Poverty Review.2012-03-15T14:25:00Z2016-04-27T20:36:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanrespondstothefinalreportoftheHillsFuelPovertyReview.aspxNew Year Raffle Winners 2012We had a brilliant response to our first raffle of 2012, raising over £660,000 to support people living with cancer.2012-03-15T00:00:00Z2016-04-27T21:07:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Newyearrafflewinners2012.aspxThe Ramblers and Macmillan Cancer Support to take over Walking for HealthThe Ramblers and Macmillan Cancer Support have announced today that they will jointly take over Walking for Health, providing support for the largest network of health walk schemes and over 75,000 participants in England.2012-03-12T09:56:00Z2016-04-27T21:57:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/TheRamblersandMacmillanCancerSupporttotakeoverWalkingforHealth.aspxMacmillan responds to the NHS Information Centre reportJacqui Graves, Head of Healthcare at Macmillan Cancer Support, responds to the NHS Information Centre's 'Statistics on obesity, physical activity and diet: England 2012'.2012-03-08T12:58:00Z2016-04-27T20:39:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanrespondstotheNHSInformationCentrereport.aspxWestlife to play Fashion KicksWestlife will headline Shay and Jane Given's star-studded Fashion Kicks event in aid of Macmillan Cancer Support, Beechwood Cancer Care Centre Stockport and the Chefs Adopt a School Project.2012-03-06T00:01:00Z2016-04-27T22:07:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Westlifetoplaystar-studdedFashionKicksfundraiserinManchester.aspxMacmillan responds to new Govt commitment in Welfare Reform Bill to protect cancer patientsMacmillan Cancer Support responds to a new Government commitment in the Welfare Reform Bill to protect cancer patients.2012-02-15T13:57:00Z2016-04-27T20:25:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanrespondstonewGovtcommitmentinWelfareReformBilltoprotectcancerpatients.aspxMacmillan responds to The Lancet medical journal's report on cancer treatment during pregnancyMacmillan Cancer Support responds to The Lancet medical journal's report on cancer treatment during pregnancy.2012-02-10T00:01:00Z2016-04-27T20:39:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanrespondstoTheLancetmedicaljournalsreportoncancertreatmentduringpregnancy.aspxMacmillan responds to the Health Select Committee's report on Social CareMacmillan responds to the Health Select Committee's report on Social Care published today which recognises the need to reform the way that social care is funded and to integrate the health and social care systems.2012-02-09T10:56:00Z2016-04-27T20:38:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanrespondstotheHealthSelectCommitteesreportonSocialCare.aspxMacmillan responds to the estimated increase in cancer cases in the UK by the World Cancer Research FundMacmillan responds to the new estimated increase in cancer cases in the UK by 2030 according to the World Cancer Research Fund.2012-02-04T00:01:00Z2016-04-27T19:36:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstotheestimatedincreaseincancercasesintheUKbytheWorldCancerResearchFund.aspxMacmillan responds to Govt overturning Lords' amendment to ESAMacmillan responds to the Government's decision to overturn a Lords' amendment that would protect sick and disabled people including cancer patients from losing a vital out of work benefit – Employment and Support Allowance - after 12 months.2012-02-01T15:39:00Z2016-04-27T20:16:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanrespondstoGovtoverturningLordsamendmenttoESA.aspxPublic believe Govt has a 'moral duty' to protect cancer patients from welfare cutsA new YouGov poll of 2,032 people for Macmillan Cancer Support reveals that a staggering three quarters believe there should not be a time limit on the amount of time that someone suffering from cancer or the side-effects can receive benefits.2012-02-01T00:01:00Z2016-04-27T21:26:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/PublicbelieveGovthasamoraldutytoprotectcancerpatientsfromwelfarecuts.aspxSuper seller raffle winners 2012We had a brilliant response to our first ever Super Seller Raffle for our top raffle supporters, raising over £280,000.2012-01-31T00:00:00Z2016-04-27T21:47:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Supersellerrafflewinners2012.aspxStars support T4 Georgie's epic Virgin London Marathon for Macmillan Cancer SupportThe UK's brightest music and TV stars are joining forces next week for a one-off event to support T4 presenter Georgie Okell's Virgin London marathon fundraising effort for Macmillan Cancer Support.2012-01-30T11:11:00Z2016-04-27T21:43:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/StarssupportT4GeorgiesepicVirginLondonMarathonforMacmillanCancerSupport.aspxMacmillan responds to the Department of Health's 'Be Clear on Cancer' campaignMacmillan Cancer Support responds to the Department of Health's announcement that it is launching a national bowel cancer awareness campaign, 'Be Clear on Cancer'.2012-01-30T10:22:00Z2016-04-27T20:35:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanrespondstotheDepartmentofHealthsBeClearonCancercampaign.aspxOver a million cancer carers miss out on vital supportOver a million people who look after a loved-one with cancer are potentially missing out on vital support and benefits, according to new research by Macmillan Cancer Support.2012-01-27T00:01:00Z2016-04-27T21:18:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Overamillioncancercarersmissoutonvitalsupport.aspxYoung Britons have 200 Facebook friends but can only turn to two friends for supportYoung Britons have an average of 237 facebook friends but nearly two out of three people say they could only turn to two friends at most for support in a crisis, according to a new poll by Macmillan Cancer Support for Cancer Talk Week.2012-01-23T00:01:00Z2016-04-27T22:10:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/YoungBritonshave200Facebookfriendsbutcanonlyturntotwofriendsforsupport.aspxMacmillan responds to Iain Duncan Smith's interviewMacmillan Cancer Support responds to Iain Duncan Smith's interview on BBC's Daily Politics Show regarding Macmillan's figures that 7,000 cancer patients would see their incomes fall by £94 a week through welfare changes.2012-01-19T12:09:00Z2016-04-27T20:18:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanrespondstoIainDuncanSmithsinterview.aspxBest foot forward for Macmillan Cancer SupportMacmillan Cancer Support is encouraging everyone to pull on their walking boots and rack up some Miles for Macmillan as part of the charity's UK wide walking programme.2012-01-18T17:13:00Z2016-04-27T17:10:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/BestfootforwardforMacmillanCancerSupport.aspxNew packs encourage pupils to talk about cancerMacmillan Cancer Support has produced training packs for primary and secondary school teachers to encourage them to talk about cancer to their pupils during Cancer Talk Week (23-27 January).2012-01-18T15:54:00Z2016-04-27T21:04:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Newpacksencouragepupilstotalkaboutcancer.aspxMacmillan responds to Government's concession over disability benefit changesMacmillan Cancer Support responds to the news that the Government has agreed to halve the time sick or disabled people will have to wait to access Personal Independence Payments (PIPs) from six to three months.2012-01-16T16:40:00Z2016-04-27T18:22:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Latestwelfarereformstatement.aspxMacmillan responds to Welfare Reform Bill vote defeat in House of LordsMacmillan Cancer Support have welcomed the vote in the House of Lords against plans to cut benefits for cancer patients to defeat the government's Welfare Reform Bill yesterday.2012-01-12T10:02:00Z2016-04-27T20:42:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanrespondstoWelfareReformBillvotedefeatinHouseofLords.aspxMacmillan Cancer Support responds to the NHS Future Forum ReportsGus Baldwin, Head of Public Affairs at Macmillan Cancer Support, comments on the latest NHS Future Forum reports.2012-01-11T14:16:00Z2016-04-27T19:50:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportresponsetotheNHSFutureForumReports.aspxMoney woes biggest concern for cancer patientsCancer patients and their loved-ones are 25 times more likely to ask for help on financial issues rather than on death and dying, according to new figures from Macmillan Cancer Support's helpline.2012-01-11T00:01:00Z2016-04-27T20:54:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Moneywoesbiggestconcernforcancerpatients.aspxChristmas raffle winnersWe have had a really fantastic response to our first every Christmas raffle, raising over £620,000 to support people living with cancer.2012-01-11T00:00:00Z2016-04-27T17:41:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/ChristmasRaffleWinners2011.aspxMacmillan Cancer Support appoints Director of FundraisingMacmillan Cancer Support has appointed Lynda Thomas as its new Director of Fundraising with immediate effect.2012-01-06T10:30:00Z2016-04-27T18:38:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportappointsDirectorofFundraising.aspxCancer patients less active after treatment despite significant health benefitsResearch by Macmillan Cancer Support reveals that one in three cancer patients (32%) are less physically active since their cancer treatment. This is despite shocking figures about just how important physical activity is to the recovery and long term health of cancer patients.2011-12-30T15:43:00Z2016-04-27T17:28:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Cancerpatientslessactiveaftertreatmentdespitesignificanthealthbenefits.aspxMacmillan statement on appointment of Ciarán Devane as Non-Executive Director of NHS Commissioning Board AuthorityMacmillan Cancer Support's Chief Executive Ciarán Devane has been confirmed as Non Executive Director of the NHS Commissioning Board Authority.2011-12-21T16:45:00Z2016-04-27T20:48:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanstatementonappointmentofCiaránDevaneasNon-ExecutiveDirectorofNHSCommissioningBoardAuthority.aspxMore reforms needed to drive up cancer survival rates and save lives says APPGCMore reforms needed to drive up cancer survival rates and save lives says the influential All Party Parliamentary Group on Cancer2011-12-13T11:04:00Z2016-04-27T20:55:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Morereformsneededtodriveupcancersurvivalratesandsavelives.aspxMacmillan responds to Government plans to invest up to £150 million in a new 'proton beam therapy' cancer serviceProfessor Jane Maher, Chief Medical Officer at Macmillan Cancer Support, comments on Government plans to invest up to £150 million in procuring a new 'proton beam therapy' cancer service.2011-12-13T10:57:00Z2016-04-27T20:13:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanrespondstoGovernmentplanstoinvestupto150millioninanewprotonbeamtherapycancerservice.aspxMacmillan responds to NHS plans to give patients faster access to treatmentsMacmillan Cancer Support responds to the Prime Minister's announcement to consult on proposals on a new 'early access scheme' which will put new treatments in NHS hospitals more quickly2011-12-05T15:10:00Z2016-04-27T20:27:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanrespondstoNHSplanstogivepatientsfasteraccesstotreatments.aspxNew Macmillan report assesses the first year of the Cancer Drugs FundMacmillan has published a new report 'Improving Access?' praising the Cancer Drugs Fund in England for improving access to vital medicines for thousands of cancer patients.2011-12-05T09:40:00Z2016-04-27T17:58:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/firstyearoftheCancerDrugsFund.aspxCelebrities celebrate 100 years of Macmillan Cancer SupportA-Listers share their birthday wishes in Macmillan centenary film2011-11-30T11:57:00Z2016-04-27T17:36:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Celebritiescelebrate100yearsofMacmillanCancerSupport.aspxMacmillan Cancer Support responds to the publication of the new NICE end of life quality standardMacmillan Cancer Support's Palliative and End of Life Care Programme Manager, Adrienne Betteley, responds to the publication of the new NICE end of life quality standard.2011-11-30T10:50:00Z2016-04-27T19:45:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstothepublicationofthenewNICEendoflifequalitystandard.aspxStars turn out for Macmillan's Centenary Gala at the London PalladiumStars from the worlds of music, comedy, television and theatre celebrated 100 years of Macmillan Cancer Support at The Macmillan Centenary Gala - an all-star evening of entertainment hosted by Graham Norton at The London Palladium on Monday 28 November.2011-11-29T00:01:00Z2016-04-27T21:44:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/StarsturnoutforMacmillansCentenaryGalaattheLondonPalladium.aspxMacmillan responds to RCGP reportMike Hobday, Director of Policy and Research, Macmillan Cancer Support said:'Overall it is encouraging that the majority of patients visiting their GP are being referred to a specialist after only one or two consultations. 'However, there are still far too many people who are visiting their GP five times or more before being sent for diagnostic tests. This is not good enough.2011-11-25T10:01:00Z2016-04-27T20:32:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanrespondstoRCGPreport.aspxDWP proposes to force chemotherapy patients to undergo stressful benefit checksMacmillan has criticised a Department of Work and Pensions decision to propose changes to the benefits system which could have devastating consequences for thousands of cancer patients.2011-11-24T14:53:00Z2016-04-27T17:50:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/DWPproposestoforcechemotherapypatientstoundergostressfulbenefitchecks.aspxThe Cancer Survival LotteryMacmillan Cancer Support's new study has found that people now live nearly six times longer after their cancer diagnosis than was the case 40 years ago.2011-11-24T12:12:00Z2016-04-27T21:53:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/TheCancerSurvivalLottery.aspxMacmillan Cancer Support responds to NCIN figures on lung cancer survival in EnglandLindsay Wilkinson, Head of Healthcare at Macmillan Cancer Support responds to a new report by the National Cancer Intelligence Network (NCIN) and King's College London that shows lung cancer survival in England could improve if more patients had surgery.2011-11-14T10:43:00Z2016-04-27T19:12:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstoNCINfiguresonlungcancersurvivalinEngland.aspxNew health professional awards launchedTo celebrate the outstanding work carried out by Macmillan professionals, Macmillan Cancer Support is launching the Macmillan Excellence Awards on the 10 and 11 November 2011 at The Changing Story of Cancer event in London.2011-11-14T00:01:00Z2016-04-27T21:02:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Newhealthprofessionalawardslaunched.aspxNew study finds men with poor lifestyle habits suffer worse side-effects of prostate cancer treatment than those with healthier lifestylesInformation on New study finds men with poor lifestyle habits suffer worse side-effects of prostate cancer treatment than those with healthier lifestyles2011-11-07T10:40:00Z2016-04-27T21:05:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Newstudyfindsmenwithpoorlifestylehabitssufferworseside-effectsofprostatecancertreatmentthanthosewithhealthierlifestyles.aspxMacmillan responds to NCIN figures on lung cancer surgery in EnglandHead of Healthcare, Lindsay Wilkinson, responds to a new report by the Society for Cardiothoracic Surgery in Great Britain & Ireland that reveals more people are having surgery for lung cancer in England2011-11-03T12:35:00Z2016-04-27T20:21:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MACMILLANRESPONDSTONCINFIGURESONLUNGCANCERSURGERYINENGLAND.aspxWomen are less aware of the symptoms of lung cancer, despite it being the UK's biggest cancer killerNew poll by Macmillan Cancer Support reveals that only 6% of women would be more confident of knowing the signs and symptoms of lung cancer - the UK's biggest cnacer killer.2011-11-01T00:01:00Z2016-04-27T22:08:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Womenarelessawareofthesymptomsoflungcancer,despiteitbeingtheUKsbiggestcancerkiller.aspxStars to turn out for Macmillan's Centenary GalaHosted by Graham Norton, stars from the worlds of music, comedy, television and theatre will be celebrating 100 years of Macmillan Cancer Support at The London Palladium on Monday 28 November.2011-10-31T16:59:00Z2016-04-27T21:44:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/StarstoturnoutforMacmillansCentenaryGala.aspxFestive fun with Macmillan Cancer SupportFrom carol concerts to celebrity stocking auctions, there's guaranteed to be an occasion to get you into the spirit of Christmas with one of Macmillan Cancer Support's many festive treats.2011-10-31T10:00:00Z2016-04-27T17:57:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/FestivefunwithMacmillanCancerSupport.aspxMacmillan responds to British Journal of Cancer predictions of increase in cancer casesJenny Ritchie-Campbell, Director of Cancer Services Innovation at Macmillan Cancer Support, responds to the prediction of increased cancer cases published in the British Journal of Cancer.2011-10-28T00:01:00Z2016-04-27T20:09:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanrespondstoBritishJournalofCancerpredictionsofincreaseincancercases.aspxCelebrity Christmas stockings go under the hammer for Macmillan Cancer SupportA whole host of celebrities will be revealing their Christmas wish lists at the glitzy Macmillan Celebrity Stocking Auction.2011-10-26T12:31:00Z2016-04-27T17:37:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/CelebrityChristmasstockingsgounderthehammerforMacmillanCancerSupport.aspxStressed and strapped: Cancer patients take financial hitNew research by Macmillan Cancer Support reveals 70% of cancer patients are hit financially through increasing costs and lost income - even before the Government's proposed £94 a week cut to patient support in the Welfare Reform Bill.2011-10-24T00:01:00Z2016-04-27T21:45:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/StressedandstrappedCancerpatientstakefinancialhit.aspxAutumn Raffle Winners 2011We have had a really fantastic response to our August Raffle, raising over £765,000 to support people living with cancer. A very big thank you to everyone who took part.2011-10-21T15:33:00Z2016-04-27T17:07:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/AutumnRaffleWinners2011.aspxMacmillan Cancer Support appoints Director of Policy and ResearchMacmillan Cancer Support has appointed Mike Hobday as its new Director of Policy and Research.2011-10-21T12:58:00Z2016-04-27T18:38:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportappointsDirectorofPolicyandResearch.aspxHarrods launches exclusive tea and coffee products to celebrate Macmillan centenaryHarrods is launching a special blend of green tea and a signature coffee to help celebrate Macmillan Cancer Support's 100th anniversary.2011-10-21T12:28:00Z2016-04-27T18:09:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/HarrodslaunchesexclusiveteaandcoffeeproductstocelebrateMacmillancentenary.aspxIt's question time for people affected by breast cancer thanks to Avon Cosmetics and MacmillanMacmillan Cancer Support has teamed up with Avon Cosmetics to hold a live web chat with a Macmillan Breast Cancer Nurse Specialist during Breast Cancer Awareness Month on Thursday 27 October at 1pm. The web chat hopes to allow local women, their friends and families to receive expert advice about breast cancer from the comfort of their home.2011-10-20T13:00:00Z2016-04-27T17:08:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Avon web chat with Macmillan Breast Cancer Nurse Specialist.aspxMacmillan responds to BMJ article on colorectal survivorsInformation on Macmillan responds to BMJ article on colorectal survivors2011-10-20T11:00:00Z2016-04-27T18:33:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Macmillan_responds_toBMJarticleoncolorectalsurvivors.aspxMacmillan Cancer Support comments on a breast cancer study published in The LancetJacqui Graves, Clinical Programme Manager at Macmillan Cancer Support comments on a study published in The Lancet showing radiotherapy after breast-conserving surgery reduces the risk of recurrence and the risk of death from breast cancer.2011-10-20T10:31:00Z2016-04-27T18:40:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportcommentsonabreastcancerstudypublishedinTheLancet.aspxMacmillan comments on the interim findings of John Hills' fuel poverty reviewInformation on Macmillan comments on the interim findings of John Hills' fuel poverty review2011-10-19T17:24:00Z2016-04-27T20:03:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillancommentsontheinterimfindingsofJohnHillsfuelpovertyreview.aspxMacmillan responds to Ofgem's energy tariff system proposalsLaura Keely, Campaigns Manager at Macmillan Cancer Support, responds to Ofgem's proposals to simplify the energy tariff system.2011-10-14T12:25:00Z2016-04-27T20:29:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanrespondstoOfgemsproposalstosimplifyenergytariffsystem.aspxMacmillan responds to Steve Jobs deathMacmillan Cancer Support responds to the news of Steve Jobs' death.2011-10-06T12:45:00Z2016-04-27T20:34:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanrespondstoSteveJobsdeath.aspxNew toolkit helps employers support people with cancer at workMacmillan Cancer Support launches new toolkit to help employers support people with cancer at work2011-10-04T10:32:00Z2016-04-27T21:06:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Newtoolkithelpsemployerssupportpeoplewithcanceratwork.aspxBlackpool Tower goes green for World's Biggest Coffee MorningThe world famous Blackpool Tower lit up green for Macmillan at 19:30 on Thursday 29 September, the eve of our flagship fundraiser, World's Biggest Coffee Morning.2011-09-30T10:46:00Z2016-04-27T17:12:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/BlackpoolTowerGoesGreenForWorldsBiggestCoffeeMorning.aspxBarclays stirs up support for Macmillan's 21st World's Biggest Coffee MorningBarclays branches across the UK are stirring up support in a variety of ways today, and inviting their local communities to join them, for World's Biggest Coffee Morning.2011-09-30T10:40:00Z2016-04-27T17:09:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/BarclaysstirupsupportforMacmillans21stWorldsBiggestCoffeeMorning.aspxAlesha Dixon and M&S brew up a storm for MacmillanSinger and retailer pair up to help raise £8.5 million for the charity.2011-09-29T15:25:00Z2016-04-27T17:00:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/AleshaDixonandMSbrewupastormforMacmillan.aspxTrial of Afinitor® (everolimus) combined with exemestaneJane Maher, Chief Medical Officer, Macmillan Cancer Support responds to published results about Afinitor® (everolimus) being combined with exemestane.2011-09-27T08:43:00Z2016-04-27T22:02:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/TrialofAfinitor®(everolimus)combinedwithexemestane.aspxResponding to the Lancet Oncology CommissionDuleep Allirajah, Policy Manager of Macmillan Cancer Support responds to a report released by the Lancet Oncology Commission, which looks at delivering affordable cancer care in high-income countries.2011-09-27T08:27:00Z2016-04-27T21:29:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/RespondingtotheLancetOncologyCommission260911.aspx50 cancer care centres awarded quality environment markVal Noble, Macmillan Quality Environment Advisor for Macmillan Cancer Support responds to 50 cancer care centres being awarded top quality mark.2011-09-22T09:16:00Z2016-04-27T16:55:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/50cancercarecentresawardedqualityenvironmentmark.aspxMillions spent informing sick and disabled their benefits might stop - before Welfare Bill is even passedMacmillan and MIND have learned the government are spending £2.7m this week to inform cancer patients and those with severe mental health problems they might lose their financial support - despite the Welfare Reform Bill still being debated in Parliament.2011-09-19T00:01:00Z2016-04-27T20:54:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Millionsspentinformingsickanddisabledtheirbenefitsmightstop-beforeWelfareBillisevenpassed.aspxLib Dems support plans to scrap ESA time-limitingCiarán Devane, Chief Executive of Macmillan Cancer Support, responds to the Liberal Democrat party decision to support a motion calling on the Government to scrap plans to time-limit the Employment and Support Allowance to twelve months.2011-09-17T00:01:00Z2016-04-27T18:24:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/LibDemssupportplanstoscrapESAtime-limiting.aspxLib Dem voters against Welfare Reforms taking money from cancer patientsMacmillan Cancer Support is urging the Lib Dems to listen to their voters tomorrow when they have their say on plans to cut financial support for cancer patients.2011-09-16T00:01:00Z2016-04-27T18:24:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/LibDemvotersagainstWelfareReformstakingmoneyfromcancerpatients.aspxWelfare Reform Bill could have catastrophic effect on cancer patientsMacmillan is urging the House of Lords not to penalise the 7,000 cancer patients that could lose up to £94 a week ahead of the Welfare Reform Bill's Second Reading in parliament today.2011-09-13T00:01:00Z2016-04-27T22:07:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/WelfareReformBillcouldhavecatastrophiceffectoncancerpatients.aspxOnly one out of three leukaemia treatments approved by NICEMike Hobday, Head of Policy at Macmillan Cancer Support responds to NICE's decision to recommend only one out of three potential chronic myeloid leukaemia treatments.2011-08-22T13:52:00Z2016-04-27T21:17:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/OnlyoneoutofthreeleukaemiatreatmentsapprovedbyNICE.aspxSilver Spoon launch Local Hero AwardsTo celebrate the World's Biggest Coffee Morning for Macmillan Cancer Support, Silver Spoon are encouraging readers to nominate someone who they think is a hero in their local community.2011-08-18T16:33:00Z2016-04-27T21:37:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/SilverSpoonlaunchLocalHeroAwards.aspxInactivity risks long term health of 1.6 million cancer survivorsMacmillan Cancer Support's Move More campaign launches today. Startling new evidence shows just how important physical activity is to the recovery and long term health of cancer patients.2011-08-17T15:15:00Z2016-04-27T18:12:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Inactivityriskslongtermhealthof16millioncancersurvivors.aspxMacmillan launches new brand advertising campaignMacmillan is launching a brand advertising campaign to support people affected by cancer 'every step of the way'.2011-08-15T00:01:00Z2016-04-27T20:05:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Macmillanlaunchesnewbrandadvertisingcampaign.aspxMacmillan helps EastEnders with cancer storylineMacmillan Cancer Support has been working with EastEnders to develop the storyline which sees character Tanya Jessop diagnosed with cervical cancer.2011-08-11T16:39:00Z2016-04-27T20:04:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanhelpsEastEnderswithcancerstoryline.aspxJo Brand moves more for MacmillanTV favourite Jo Brand puts her best foot forward to launch Macmillan Cancer Support's new Move More campaign.2011-08-08T00:01:00Z2016-04-27T18:16:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/JoBrandMovesmoreforMacmillan.aspxWarm up for the World's Biggest Coffee Morning with M&SMarks & Spencer is teaming up with Macmillan Cancer Support for the second year running as the official sponsor of Macmillan's annual fundraising event, the 'World's Biggest Coffee Morning'.2011-08-03T15:37:00Z2016-11-02T09:43:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/WarmupfortheWorldsBiggestCoffeeMorningwithMS.aspxMacmillan responds to NICE's decision to recommend cancer drug that affects cells in the bone marrowMike Hobday, Head of Policy at Macmillan Cancer Support, responds to NICE's decision to recommend cancer drug that affects cells in the bone marrow.2011-07-29T14:11:00Z2016-04-27T20:28:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanrespondstoNICEsdecisiontorecommendcancerdrugthataffectscellsinthebonemarrow.aspxMacmillan responds to NICE's decision not to recommend lung cancer drugMike Hobday, Head of Policy at Macmillan Cancer Support responds to NICE's decision not to recommend lung cancer drug.2011-07-29T14:01:00Z2016-04-27T20:28:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanrespondstoNICEsdecisionnottorecommendlungcancerdrug.aspxGovernment must act on new incapacity benefit assessment process report, says Macmillan Cancer SupportMike Hobday, Head of Policy at Macmillan Cancer Support, responds to the Work and Pensions Committee's report on the new incapacity benefit process published today.2011-07-26T13:39:00Z2016-04-27T18:02:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Governmentmustactonnewincapacitybenefitassessmentprocessreport,saysMacmillanCancerSupport.aspxA charity partnership a cut above the rest85 TONI&GUY salons join forces with Macmillan to help people with cancer.2011-07-21T10:11:00Z2016-04-27T16:57:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/ACHARITYPARTNERSHIPACUTABOVETHEREST.aspxMacmillan responds to the Government's 'Any Quality Provider' guidanceMike Hobday, Head of Policy at Macmillan Cancer Support, responds to the 'Any Qualified Provider' guidance issued by the Government today.2011-07-19T11:59:00Z2016-04-27T20:37:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanrespondstotheGovernmentsAnyQualityProviderguidance.aspxMacmillan Cancer Support responds to the Department of Health's consultation on Value Based PricingMike Hobday, Head of Policy at Macmillan Cancer Support, responds to the Department of Health's response to the Value Based Pricing consultation.2011-07-18T13:06:00Z2016-04-27T19:36:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstotheDepartmentofHealthsconsultationonValueBasedPricing.aspxMacmillan Cancer Support responds to new end of life care reportMike Hobday, Head of Policy at Macmillan Cancer Support, comments on the Commissioning End of Life: Act & Early report published by the National Council for Palliative Care today.2011-07-18T00:01:00Z2016-04-27T19:15:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstonewendoflifecarereport.aspxMacmillan comments on increasing cancer rates among middle-agedMike Hobday, Head of Policy at Macmillan Cancer Support, comments on new research that shows an increase in cancer rates among middle-aged men and women.2011-07-18T00:01:00Z2016-04-27T20:00:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Macmillancommentsoncancerratesamongmiddle-aged.aspxMacmillan responds to press reports that the number of UK households in fuel poverty is risingMike Hobday, Head of Policy, responds to press reports that Government figures show the number of UK households in fuel poverty rose by one million in 2009 to 5.5 million.2011-07-14T12:52:00Z2016-04-27T20:31:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanrespondstopressreportsthatthenumberofUKhouseholdsinfuelpovertyisrising.aspx42 per cent of us to get cancerCancer rates are increasing.2011-07-14T00:01:00Z2016-04-27T16:53:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/42ofustogetcancer.aspxSoap stars get on their bikes for Macmillan Emmerdale to EastEnders cycle challengeFive of Emmerdale's most loved stars are set to take on a gruelling 224 mile cycle challenge from Emmerdale's The Woolpack to Albert Square's Queen Vic to raise £100,000 for Macmillan Cancer Support.2011-07-12T12:33:00Z2016-04-27T17:52:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/EmmerdalesoapstarsgetontheirbikesforMacmillan.aspxSpring raffle winners 2011We had an amazing response to our Spring Raffle and have raised over £600,000 to support people living with cancer. A very big thank you to all of those that took part.2011-07-11T12:08:00Z2016-04-27T21:41:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Springrafflewinners2011.aspxBlack people twice as likely to get stomach cancerDuring Ethnic Minority Cancer Awareness Week (11 - 17 July), Macmillan Cancer Support warns that black people in the UK are nearly twice as likely to be diagnosed with stomach cancer.2011-07-11T10:01:00Z2016-04-27T17:12:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Blackpeopletwiceaslikelytogetstomachcancer.aspxMacmillan launches its mobile channelMacmillan launches a mobile channel offering a faster, more tailored mobile experience.2011-07-01T10:22:00Z2016-04-27T20:05:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Macmillanlaunchesitsmobilechannel.aspxRoyal couple visit Powys cancer centreRoyal couple, The Prince of Wales and The Duchess of Cornwall, visit new Macmillan Cancer Information and Support Centre.2011-06-30T10:49:00Z2016-04-27T21:32:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/RoyalcouplevisitPowyscancercentre.aspxMacmillan responds to NICE draft consultation for end of life careInformation on Macmillan responds to NICE draft consultation for end of life care2011-06-24T11:18:00Z2016-04-27T20:27:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanrespondstoNICEdraftconsultation.aspxMacmillan responds to National Cancer Intelligence Network cancer deaths researchMike Hobday, Head of Policy at Macmillan Cancer Support, responds to research by the National Cancer Intelligence Network that shows deprivation leads to over 2,600 cancer deaths a year.2011-06-17T10:28:00Z2016-04-27T20:20:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanrespondstoNationalCancerIntelligenceNetworkcancerdeathsresearch.aspxMacmillan responds to Report Stage and Third Reading of the Welfare Reform BillCiarán Devane, Chief Executive of Macmillan Cancer Support, responds to Report Stage and Third Reading of the Welfare Reform Bill.2011-06-16T10:04:00Z2016-04-27T20:33:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanrespondstoReportStageandThirdReadingoftheWelfareReformBill.aspxMacmillan responds to NCIN research showing older women with breast cancer are less likely to have surgeryMike Hobday, Head of Policy at Macmillan Cancer Support, comments on research by the National Cancer Intelligence Network that shows older women in the UK are less likely to have surgery for breast cancer than younger patients.2011-06-16T10:03:00Z2016-04-27T20:22:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanrespondstoNCINresearchshowingolderwomenwithbreastcancerarelesslikelytohavesurgery.aspxMacmillan urges government to make changes to Welfare Reform BillCiarán Devane, Chief Executive of Macmillan Cancer Support, urges the government to make changes to the Welfare Reform Bill after the concerns of thousands of cancer patients were raised in Prime Minister's Questions today.2011-06-15T12:16:00Z2016-04-27T20:49:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanurgesgovernmenttomakechangestoWelfareReformBill.aspxMacmillan responds to NCIN prostate cancer deaths figuresInformation on Macmillan responds to NCIN prostate cancer deaths figures2011-06-14T13:43:00Z2016-04-27T20:21:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanrespondstoNCINprostatecancerdeathsfigures.aspxMacmillan Cancer Support responds to the publication of the NHS Future Forum reportCiarán Devane, Chief Executive of Macmillan Cancer Support welcomes the recommendations in the NHS Future Reform report released today.2011-06-13T15:40:00Z2016-04-27T19:46:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstothepublicationoftheNHSFutureForumreport.aspxCancer patients to lose up to £94 a weekMacmillan warns that thousands of cancer patients who rely on a vital out of work benefit could lose up to £94 a week as the government seeks to cut costs under the Welfare Reform Bill.2011-06-13T09:39:00Z2016-04-27T17:29:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Cancerpatientstoloseupto94aweek.aspxNew scheme to tackle cancer survival rates among older peopleCo-funded by the Department of Health and supported by Age UK, Macmillan have today launched a pilot programme to target the gap in cancer survival rates and reduce excess deaths in older people.2011-06-09T15:34:00Z2016-04-27T21:04:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Newschemetotacklecancersurvivalratesamongolderpeople.aspxMacmillan responds to Rarer Cancer Foundation's 'Funding Cancer Drugs' reportMike Hobday, Head of Policy at Macmillan Cancer Support responds to the Rarer Cancer Foundation's 'Funding Cancer Drugs' report released today.2011-06-09T10:33:00Z2016-04-27T20:32:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanrespondstoRarerCancerFoundationsFundingCancerDrugsreport.aspxMacmillan Cancer Support appoints four new TrusteesMacmillan Cancer Support has appointed four new Trustees to join its Board of Trustees.2011-06-08T09:59:00Z2016-04-27T18:38:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportappointsfournewTrustees.aspxMacmillan responds to the Prime Minister's speech on the future of the NHSCiarán Devane, Chief Executive of Macmillan Cancer Support, responds to David Cameron's speech today on the five pledges on the future of the NHS.2011-06-07T15:00:00Z2016-04-27T20:40:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanrespondstothePrimeMinistersspeechonthefivepledgesonthefutureoftheNHStoday.aspxMacmillan Cancer Support responds to end of life patient charterMike Hobday, Head of Policy at Macmillan Cancer Support, responds to the Royal College of Nursing and Royal College of GPs patient charter for end of life published today.2011-06-01T13:56:00Z2016-04-27T18:55:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacMillanCancerSupportRespondstoEndofLifePatientCharter.aspxCiarán Devane's opening address before Deputy Prime Minister's speech to the Richmond Group of health charitiesCiarán Devane, Chief Executive of Macmillan Cancer Support, speaks on behalf of ten leading health charities to outline their support and concerns within the health bill before the Deputy Prime Minister, Nick Clegg's speech on his vision for the NHS.2011-05-26T15:28:00Z2016-04-27T21:17:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/OpeningaddressbyCiaránDevane,ChiefExecutiveofMacmillanCancerSupport,introducingtheDeputyPrimeMinister,NickCleggbeforehisspeechtotheRichmondGroupofleadinghealthcharities.aspxMacmillan's statement on Deputy Prime Minister's speech about his vision for the NHSStatement by Ciarán Devane, chief executive at Macmillan Cancer Support, who introduced the Deputy Prime Minister Nick Clegg as he addressed ten leading health charities and outlined his vision for the NHS.2011-05-26T13:03:00Z2016-04-27T20:47:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillansstatementonDeputyPrimeMinistersspeechabouttheNHS.aspxMacmillan responds to the cancer survival figures issued today by the Office of National StatisticsMike Hobday, Head of Policy of Macmillan Cancer Support, responds to the figures issued by the Office of National Statistics that show survival rates for many cancer patients are improving.2011-05-26T12:51:00Z2016-04-27T20:34:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanrespondstothecancersurvivalfiguresissuedtodaybytheOfficeofNationalStatistics.aspxMacmillan responds to NHS Information Centre's research of a fifty per cent rise in lung cancer surgery in the last five yearsCiarán Devane, Chief Executive at Macmillan Cancer Support responds to The NHS Information Centre's research of a fifty per cent rise in lung cancer surgery in five years.2011-05-23T11:54:00Z2016-04-27T20:26:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanrespondstoNHSInformationCentresresearchofafiftypercentriseinlungcancersurgeryinthelastfiveyears.aspxMacmillan's response to NHS Information Centre figures on carersSimon Oberst, Director of Improving Cancer Services at Macmillan Cancer Support, comments on provisional figures from the NHS Information Centre showing the percentage of carers providing 50 hours or more care a week has more than doubled in nine years.2011-05-23T10:08:00Z2016-04-27T20:46:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillansresponsetoNHSinformationcentrefiguresoncarers.aspxMacmillan responds to Government U-turn on cancer networksCiarán Devane, Chief Executive at Macmillan Cancer Support responds to the Government's committment to fund cancer networks until 2013.2011-05-20T10:40:00Z2016-04-27T20:15:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanrespondstoGovernmentU-turnoncancernetworks.aspxMacmillan responds to £200 million Cancer Drugs Fund coming into effectMike Hobday, Head of Policy at Macmillan Cancer Support responds to the £200 million Cancer Drugs Fund coming into effect today.2011-05-17T16:35:00Z2016-04-27T20:06:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Macmillanrespondsto200millionCancerDrugsFundcomingintoeffect.aspxMacmillan urges cancer patients to apply for a new energy rebateMacmillan Cancer Support urges cancer patients to apply for a new energy rebate2011-05-17T16:34:00Z2016-04-27T20:49:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Macmillanurgescancerpatientstoapplyforanewenergyrebate.aspxHalfords wheels in the pounds for Macmillan Cancer SupportHalfords is celebrating the end of a two-year charity partnership that raised £134,056 to help people affected by cancer, with Redditch Head office colleagues contributing £11,830 to the total amount.2011-05-17T16:31:00Z2016-04-27T18:08:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/HalfordswheelsinthepoundsforMacmillanCancer.aspxMacmillan responds to NICE's decision not to recommend Everolimus as a treatment for advanced kidney cancerMike Hobday, Head of Policy at Macmillan responds to NICE's decision not to recommend Everolimus as a treatment for advanced kidney cancer.2011-05-17T16:28:00Z2016-04-27T20:28:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanrespondstoNICEsdecisionnottorecommendEverolimusasatreatmentforadvancedkidneycancer.aspx£100 MILLION reason to support 100-year-old charityScottish cancer patients struggling to make ends meet have received a £100million benefits boost thanks to a pioneering charity initiative. The new figures were unveiled today by Macmillan Cancer Support.2011-05-17T16:27:00Z2016-04-27T16:45:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/100MILLIONreasontosupport100-year-oldcharity.aspxLondon cancer patients have the worst hospital experienceEight of ten NHS Trusts bottom of a league table measuring patient experience across England are in London, according to new data released today by Macmillan Cancer Support, based on Department of Health research.2011-05-17T16:25:00Z2016-04-27T18:24:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Londoncancerpatientshavetheworsthospitalexperience.aspxSkin cancer 'hot spots' expose UK sunbathing habitsSunbathing habits are seeing levels of malignant melanoma (the most serious type of skin cancer) rising in men and women, with over a third of men who have skin cancer getting it on the trunk of their bodies (38%), particularly the back; while the most common place for women is on the legs (42%). Ellen Lang, Macmillan Cancer Information Nurse highlights that altering your sunbathing habits and covering up in midday sun can help prevent skin cancer so you can enjoy the sun more safely.2011-05-17T16:24:00Z2016-04-27T21:39:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Skincancerhotspotsexposesunbathinghabitsofnation.aspxMacmillan responds to the Cancer Campaigning Group's report on GP commissioningCiarán Devane, Chief Executive at Macmillan Cancer Support, responds to findings of the Cancer Campaigning Group's survey of GPs' readiness for commissioning cancer services.2011-05-17T16:11:00Z2016-04-27T20:34:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanrespondstotheCancerCampaigningGroupsreportonGPcommissioning.aspxMacmillan responds to the Prime Minister's speech on NHS reformMike Hobday, Head of Policy at Macmillan Cancer Support, responds to David Cameron's speech today on NHS reform.2011-05-17T16:01:00Z2016-04-27T20:40:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanrespondstothePrimeMinistersspeechonNHSreform.aspxNewton Faulkner joins Macmillan's Big MixBrit-nominated acoustic guitar hero Newton Faulkner is the latest star to grace the line-up of Macmillan's Big Mix festival in Shoreditch on Saturday 18 June.2011-05-17T15:39:00Z2016-04-27T21:05:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/NewtonFaulknerJoinsMacmillansBigMix.aspxScots cancer patients left to cope aloneScots cancer patients are not getting the support and information they need to help them cope with their illness after they leave hospital. A YouGov survey for leading charity Macmillan Cancer Support found that two thirds of cancer patients (66 per cent) in Scotland left hospital after initial treatment with no information about how to cope with the effects of cancer or its treatment.2011-03-31T15:37:00Z2016-04-27T21:34:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Scotscancerpatientslefttocopealone.aspxDame Judi Dench Supports Carers WeekHollywood royalty Dame Judi Dench is supporting Carer's Week, which this year runs from 13 - 19th June.2011-03-29T12:30:00Z2016-04-27T18:18:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/JudiDenchSupportsCarersWeek.aspxMacmillan Cancer Support responds to Government cuts to the Winter Fuel PaymentInformation on Macmillan Cancer Support responds to Government cuts to the Winter Fuel Payment2011-03-25T11:33:00Z2016-04-27T18:58:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstoGovernmentcutstotheWinterFuelPayment.aspxMacmillan responds to the launch of an independent review of the Government's fuel poverty strategyMike Hobday, Head of Policy at Macmillan responds to the news that the Government has launched an independent review of the fuel poverty strategy2011-03-14T14:28:00Z2016-04-27T20:20:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanrespondstolaunchofanindependentreviewoftheGovernmentsfuelpovertystrategy.aspxMacmillan comments on the Government's Warm Home Discount consultation responseMike Hobday, Head of Policy at Macmillan Cancer Support, comments on the Government's Warm Home Discount consultation response2011-03-01T10:21:00Z2016-04-27T20:37:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanrespondstotheGovernmentsWarmHomeDiscountconsultation.aspxMacmillan responds to the Government's Welfare Reform BillInformation on Macmillan responds to the Government's Welfare Reform Bill2011-02-17T12:04:00Z2016-04-27T20:37:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanrespondstotheGovernmentsWelfareReformBill.aspxMacmillan responds to NICE's decision on cancer drug AzacitidineInformation on Macmillan responds to NICE's decision on cancer drug Azacitidine2011-02-17T11:37:00Z2016-04-27T20:46:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillansresponsetoNICEsdecisiononcancerdrugAzacitidine.aspxMacmillan responds to cancer death study in Annals of OncologyMike Hobday, Head of Policy at Macmillan Cancer Support comments on a report published today in cancer journal.2011-02-09T09:11:00Z2016-04-27T17:23:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/cancerdeathstudy.aspxGorbachev honours people who have changed the worldMikhail Gorbachev, the man who ended the Cold War and united East and West, the former President of the USSR and Nobel Peace Prize winner, will mark his 80th birthday by honouring people who have 'changed the world', his family announced today.2011-02-07T15:50:00Z2016-04-27T18:01:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Gorbachevtohonourpeoplewhohavechangedtheworldwithuniqueaward.aspxSoap stars to play charity football matchEmmerdale and Coronation Street stars are heading for the football pitch on Saturday 19 February in an all-star match which aims to raise £20,000 for the UK's leading cancer care charity Macmillan Cancer Support.2011-02-07T15:44:00Z2016-04-27T17:39:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Charityfootballmatch.aspxMacmillan Cancer Support's reaction to new statistics on breast cancerMacmillan Cancer Support's reaction to new statistics on breast cancer.The latest UK incidence figures for breast cancer (the number of women diagnosed with the disease) has risen from 45,700 in 2007 to 47,700 in 2008, according to new statistics from Cancer Research UK.2011-02-04T08:38:00Z2016-04-27T19:51:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportsreactiontonewstatisticsonbreastcancer.aspxMacmillan Cancer Support Responds to Refreshed Cancer Reform StrategyMacmillan Cancer Support responds to the refreshed Cancer Reform Strategy welcoming the new focus on cancer survivors but disappointed by the lack of ongoing commissioning support for GPs.2011-01-12T09:56:00Z2016-04-27T19:30:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportRespondstoRefreshedCancerReformStrategy.aspxMacmillan calls for fuel poverty reprieve for terminally illMacmillan wants the Government to help the most vulnerable cancer patients, such as people who are terminally ill, by both ensuring they qualify for the Warm Home Discount that energy companies will have to provide from April next year and extending the winter fuel payment to cover them.2011-01-07T12:12:00Z2016-04-27T18:35:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Macmillancallsforfuelpovertyreprieveforterminallyill.aspxMacmillan's response to NICE's decision to recommend kidney cancer drugMike Hobday, Head of Policy at Macmillan Cancer Support responds to the decision by NICE to recommend Pazopanib as a first line treatment for cancer patients with renal cell carcinoma (kidney cancer).2010-12-24T10:17:00Z2016-04-27T21:20:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Pazopanib_1210.aspxCold weather is freezing out cancer patientsWith energy prices rising and freezing temperatures across the UK, leading cancer charity, Macmillan Cancer Support is calling on the Government to help vulnerable cancer patients with their high heating bills.2010-12-17T08:59:00Z2016-04-27T17:42:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Coldweatherisfreezingoutcancerpatients.aspxThe Gorbachev Foundation Announces Partnership with Macmillan Cancer Support to Raise £5 million for CharityA six month charity fundraising programme, in celebration of former Russian leader and Nobel Peace Prize winner Mikhail Gorbachev's 80th birthday, aims to raise £5 million for The Gorbachev Foundation and the UK's leading cancer care charity Macmillan Cancer Support.2010-12-16T10:01:00Z2016-04-27T21:55:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/TheGorbachevFoundationAnnouncesPartnershipWithMacmillanCancerSupportToRaise5MillionForCharity.aspxMacmillan responds to the launch of the Government's Warm Home Discount consultationMacmillan Cancer Support responds to the launch of the Government's Warm Home Discount consultation2010-12-02T13:02:00Z2016-04-27T20:39:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanrespondstothelaunchoftheGovernmentsWarmHomeDiscountconsultation.aspxMacmillan Cancer Support's response to NICE's decision to reject advanced kidney cancer drugResponding to the decision by NICE not to recommend Everolimus as a treatment for metastatic renal cell carcinoma (advanced kidney cancer), Mike Hobday, Head of Policy at Macmillan Cancer Support, said:2010-11-26T11:39:00Z2016-04-27T19:51:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportsresponsetoNICEsdecisiontorejectadvancedkidneycancerdrug.aspxMacmillan Cancer Support responds to Professor Harrington's Review of the Work Capability AssessmentMacmillan Cancer Support responds to Professor Harrington's Independent Review of the Work Capability Assessment2010-11-24T11:07:00Z2016-04-27T19:26:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstoProfessorHarringtonsIndependentReviewoftheWorkCapabilityAssessment.aspxMacmillan Cancer Support responds to the Government's vision for adult social careMacmillan responds to the Government's vision for adult social care2010-11-16T15:35:00Z2016-04-27T19:51:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportsresponsetotheGovernmentsvisionforadultsocialcare.aspxTim Lovejoy shares his storyPresenter Tim Lovejoy talks for the first time about his brother's death from cancer, exclusively to Macmillan Cancer Support.2010-11-09T17:07:00Z2016-04-27T21:25:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/PresenterTimLovejoy.aspxMacmillan Cancer Support responds to the news that NICE will no longer have the power to ban drugs on the NHSMike Hobday, Head of Policy at Macmillan Cancer Support, responds to the news.2010-11-01T12:18:00Z2016-04-27T19:44:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstothenewsthatNICEwillnolongerhavethepowertobandrugsontheNHS.aspxThis Lung Cancer Awareness Month love your lungs like Katherine JenkinsKatherine Jenkins helps Macmillan Cancer Support raise awareness of lung cancer during Lung Cancer Awareness Month this November.2010-11-01T10:11:00Z2016-04-27T21:58:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/ThisLungCancerAwarenessMonthloveyourlungslikeKatherineJenkins.aspxA closer look at the Comprehensive Spending ReviewOn 20 October the Chancellor of the Exchequer announced the detail of the Comprehensive Spending Review, which sets out Government expenditure up to 2014/15. We've put together a summary of the key announcements that might have the greatest impact on people affected by cancer and the work that Macmillan is doing in these areas.2010-10-29T08:53:00Z2016-04-27T16:58:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/AcloserlookattheComprehensiveSpendingReview.aspxMacmillan Cancer Support responds to the launch of the Cancer Drugs Fund consultationMike Hobday, Head of Policy at Macmillan Cancer Support, responds to Health Secretary, Andrew Lansley, launching the consultation into the Cancer Drugs Fund.2010-10-27T15:26:00Z2016-04-27T19:42:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstothelaunchoftheCancerDrugsFundconsultation.aspxMacmillan responds to Comprehensive Spending ReviewMike Hobday, Head of Policy at Macmillan Cancer Support, responds to the announcement in the Comprehensive Spending Review that the pledge for one to one nursing for cancer patients has been dropped.2010-10-22T09:01:00Z2016-04-27T18:53:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstoCSRandplanstodroponetoonenursingforcancerpatients.aspxMacmillan responds to Government's 'Liberating the NHS: Choice and control' and 'Information Revolution'Mike Hobday, Head of Policy at Macmillan Cancer Support, responds to 'Liberating the NHS: Choice and control' and 'Information Revolution' released by the Government today.2010-10-18T13:45:00Z2016-04-27T20:45:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillansresponsetoGovernmentsLiberatingtheNHSChoiceandcontrolandInformationRevolution.aspxGet onboard with Get online week 2010Macmillan is supporting Get online week, 18 to 24 October, in its aims to get tens of thousands of people started with computers and the internet, including people affected by cancer.2010-10-15T17:54:00Z2016-04-27T18:01:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/GoOnlineWeek2010.aspxSpecialist cancer nurses can improve patient care and save moneyClinical Nurse Specialists (CNSs) improve efficiency, reduce emergency patient admissions and can lead to thousands of pounds of savings for Primary Care Trusts (PCTs), says a publication from the National Cancer Action Team and Macmillan Cancer Support.2010-10-14T10:53:00Z2016-04-27T21:40:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Specialistcancernursescanimprovepatientcareandsavemoney.aspxThe sad passing of Sir Norman WisdomSir Norman Wisdom's last film role was in Expresso, a short film produced by Midlands based Martin Nigel Davey, which went on to be shown at 2007 Cannes film festival and raise money for Macmillan Cancer Support.2010-10-12T16:16:00Z2016-04-27T21:33:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/sadpassingofSirNormanWisdom.aspxIgnorance, not illness, stops people with cancer workingEmployers, unaware of their legal responsibilities towards people diagnosed with cancer, are failing to make simple changes in the workplace that would enable them to stay in work, or return after treatment, according to Macmillan Cancer Support.2010-10-07T09:51:00Z2016-04-27T18:11:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Ignorance,notillness,stopspeoplewithcancerworking.aspxCountdown to Christmas with Macmillan Cancer SupportDiscover yuletide inspiration and help Macmillan Cancer Support by doing your Christmas shopping from the Macmillan Christmas catalogue.2010-09-30T08:56:00Z2016-04-27T17:46:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/CountdowntoChristmaswithMacmillanCancerSupport.aspxCancer follow-ups are a waste of timeThe current follow-up system for cancer patients is a waste of time and needs to be completely overhauled, according to Jane Maher, Chief Medical Officer at Macmillan Cancer Support writing for BBC Scrubbing Up.2010-09-28T16:08:00Z2016-04-27T17:24:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Cancerfollowupsareawasteoftime.aspxKatherine Jenkins and Sir Stuart Rose brew up a storm for Macmillan Cancer SupportMacmillan Cancer Support Ambassador Katherine Jenkins joined M&S Chairman Sir Stuart Rose to kick start a special event ahead of Macmillan's World's Biggest Coffee Morning on Friday 24th September.2010-09-23T09:51:00Z2016-04-27T18:15:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Jenkinsrosecoffee_2010.aspxTen leading health charities call for focussed NHS spendingTen of the country's leading health charities have joined forces to call on the NHS to spend its money on health services in a more focussed and patient-centred way.2010-09-16T09:49:00Z2016-04-27T21:49:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/TenleadinghealthcharitiescallforfocussedNHSspending.aspxNeed for cancer information and support expected to doubleMacmillan Cancer Support and Boots UK today officially launched a groundbreaking new three-year partnership, which aims to help provide the two million people living with cancer, and their family and friends, increased access to the information and support they need – when they need it, where they need it.2010-09-03T10:18:00Z2016-04-27T21:01:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Needforcancerinformationandsupportexpectedtodouble.aspxThe charity campaign that doesn't ask for cashResponding to increasing demand for its services, Macmillan's campaign pushes its message of giving practical, emotional and financial support to the two million people living with cancer, and doesn't ask for a penny.2010-09-02T09:24:00Z2016-04-27T21:54:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Thecharitycampaignthatdoesntaskforcash.aspxMacmillan responds to the second annual report on the end of life care strategyMike Hobday, Head of Policy at Macmillan Cancer Support, responds to the second Annual Report on the End of Life Care Strategy.2010-08-25T09:45:00Z2016-04-27T20:42:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Macmillanrespondstothesecondannualreportontheendoflifecarestrategy.aspxMacmillan's response to NICE's interim decision not to recommend colorectal cancer drugMike Hobday, Head of Policy at Macmillan Cancer Support, responds to the interim decision by NICE not to recommend bevacizumab (Avastin) as a treatment for metastic colorectal cancer.2010-08-24T10:16:00Z2016-04-27T20:47:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillansresponsetoNICEsinterimdecisionnottorecommendcolorectalcancerdrug.aspxCancer patients hit hard by hidden Budget changes, say Citizens Advice and Macmillan Cancer SupportSome people diagnosed with serious illnesses like cancer will be much worse off in future if proposals hidden in last month's Budget go ahead, Citizens Advice and Macmillan Cancer Support warned today.2010-08-06T13:50:00Z2016-04-27T17:28:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/CancerpatientshithardbyhiddenBudgetchanges,sayCitizensAdviceandMacmillanCancerSupport.aspxMacmillan Cancer Support's response to the Welfare Reform White PaperMike Hobday, Head of Policy at Macmillan Cancer Support, comments on the Welfare Reform White Paper published today.2010-07-30T12:10:00Z2016-04-27T19:52:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportsresponsetotheWelfareReformWhitePaper.aspxMacmillan Cancer Support responds to Government's announcement of £50 million drugs fundMike Hobday, Head of Policy at Macmillan Cancer Support, responds to the Government's announcement today, which reveals a £50 million interim fund will be put in place this year ahead of the Cancer Drug Fund coming into place next year.2010-07-27T11:56:00Z2016-04-27T18:59:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanCancerSupportrespondstoGovernmentsannouncementof50milliondrugsfund.aspxMacmillan responds to announcement of White PaperCiaran Devane, chief executive of Macmillan Cancer Support, responds to the launch of the White Paper.2010-07-12T17:25:00Z2016-04-27T20:08:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanrespondstoannouncementofWhitePaper.aspxHuge discrepancies in end of life care highlightedResponding to the review into the funding of palliative care announced by Andrew Lansley, Macmillan Cancer Support released its own report today, which highlights just why such a review is needed.2010-07-09T13:59:00Z2016-04-27T18:11:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Hugediscrepanciesinendoflifecarehighlighted.aspxMacmillan responds to Government's announcement to update the Cancer Reform StrategyCiaran Devane, Chief Executive at Macmillan Cancer Support, comments on the announcement by the Government that they will publish an updated Cancer Reform Strategy this winter.2010-07-07T09:21:00Z2016-04-27T20:14:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanrespondstoGovernmentsannouncementtoupdatetheCancerReformStrategy.aspxPathways to Work programme is failing cancer survivors says MacmillanA new report, commissioned by Macmillan Cancer Support, casts serious doubt on whether the previous Government's Pathways to Work (PtW) programme, which aims to support sick or disabled people back to work, meets the needs of people living with cancer.2010-06-24T13:00:00Z2016-04-27T21:20:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Pathwaystoworkprogrammeisfailingcancersurvivors.aspxNew cancer map highlights growing need for better NHS cancer servicesNew figures from the National Cancer Intelligence Network show that more people are living with and beyond cancer.2010-06-21T12:07:00Z2016-04-27T21:01:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/NewCancerMapHighlightsGrowingNeedforBetterNHSCancerServices.aspxTake The Simple Challenge & Support MacmillanSimple, the UK's No. 1 Facial Skincare brand, has teamed with Macmillan Cancer Support, the UK's most loved charity brand, to raise £50,000 to help improve the lives of people affected by cancer.2010-05-18T14:43:00Z2016-04-27T21:48:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/TakeTheSimpleChallengeSupportMacmillan.aspxMacmillan welcomes Andrew Lansley MP as new Secretary of State for HealthMike Hobday, Head of Campaigns, Policy and Public Affairs, responds to the appointment of the new Secretary of State for Health2010-05-13T10:13:00Z2016-04-27T20:50:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanwelcomesAndrewLansleyMPasnewSecretaryofStateforHealth.aspxMacmillan's Brick Lane Takeover is backMacmillan Cancer Support will once again take over Brick Lane in East London on Thursday 17 June with the second run of its new music event - Macmillan's Brick Lane Takeover.2010-05-07T16:34:00Z2016-04-27T20:43:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillansBrickLaneTakeoverisBack.aspxMacmillan responds to EEC committee report 2010Mike Hobday, Macmillan Head of Campaigns, responds to the Energy and Climate Change Committee report into Fuel Poverty 2010.2010-03-30T11:58:00Z2016-04-27T17:51:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/ECCcommittee2010.aspxMacmillan responds to budget announcement on winter fuel paymentsMike Hobday, Head of Policy at Macmillan Cancer Support, responds to the announcement within the Budget that pensioners will continue to receive the higher Winter Fuel Payment for the next two years2010-03-24T18:23:00Z2016-04-27T17:18:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Budgetfuelpoverty2010.aspxMacmillan's response to Health Select Committee's social care reportMike Hobday, Head of Policy at Macmillan Cancer Support, comments on the Health Select Committee's social care report.2010-03-12T12:18:00Z2016-04-27T21:30:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/ResponseToHealthSelectCommitteesSocialCareReport.aspxCancer patients freezing indoors this winterMacmillan Cancer Support is once again calling for an end to the struggle faced by thousands of cancer patients freezing indoors this winter.2010-02-16T09:27:00Z2016-04-27T17:27:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Cancerpatientsfreezingindoorsthiswinter.aspxResponse to Gordon Brown's announcement that every cancer patient is to have access to a home nurse within five yearsCiarán Devane, Chief Executive of Macmillan Cancer Support, responds to the announcement from Prime Minister Gordon Brown that every cancer patient is to have access to a home nurse in the next five years.2010-02-09T14:53:00Z2016-04-27T21:29:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/ResponsetoGordonBrownsAnnouncementPatientsAcessNurse.aspxMacmillan's new financial help bookletsMacmillan has produced two new resources to help people affected by cancer manage their finances.2010-02-02T15:17:00Z2016-04-27T17:58:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/financialbooklets0210.aspxResponse to the call for every patient nearing the end of life to receive 24/7 careCiaran Devane, Chief Executive at Macmillan Cancer Support, gives his response to a report from The King's Fund calling for every patient nearing end of life to be given access to 24/7 care.2010-01-27T10:03:00Z2016-04-27T17:54:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/EveryPatientNearingEndOfLifeReceive247Care.aspxA-listers mouth off about men for MacmillanRay Winstone, Ricky Gervais, Marco Pierre White, and Trevor Nelson are just some of the celebrities sharing their biggest 'clangers' in a humorous new video to support Macmillan Cancer Support's Cancertalk Week, 18-24 January.2010-01-18T11:03:00Z2016-04-27T17:01:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/A-listersMouthOffAboutMenforMacmillan.aspxCancer: no longer simply a question of life or deathOf the two million people living with cancer in the UK, over 1.2 million were diagnosed over five years ago. Many of these long term cancer survivors are suffering needlessly and in silence, according to leading cancer charity, Macmillan Cancer Support.2010-01-06T09:37:00Z2016-04-27T17:24:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/CancerNoLongerQuestionLifeDeath.aspxMacmillan Cancer Support's response to the consultation on hospital car parking charges announced by Health Secretary Andy Burnham on 29 December 2009Mike Hobday, Head of Policy at Macmillan Cancer Support comments on the consultation on car parking in England.2010-01-04T16:55:00Z2016-04-27T20:45:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillansResponseConsultationCarParkingCharges.aspxPublic want free hospital parking for cancer patients in EnglandTo mark the first anniversary of free hospital parking in Scotland a new poll finds that eight out of ten people say they want the next Government to abolish hospital parking charges in England for patients with long term conditions like cancer, according to leading cancer charity Macmillan Cancer Support.2010-01-04T12:45:00Z2016-04-27T21:27:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/PublicWantFreeParkingForCancerPatientsEngland.aspxCold cancer patients forced back to bed this ChristmasOne in four cancer patients in the UK will be forced back to bed this Christmas because they cannot afford to put the heating on and struggle with high fuel bills, warns leading cancer charity Macmillan Cancer Support.2009-12-21T09:11:00Z2016-04-27T17:42:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/ColdCancerPatientsForcedBackToBed.aspxMacmillan slams 'cruel' back to work tests for terminally ill cancer patientsTerminally ill cancer patients, and people undergoing chemotherapy, are being threatened with benefit cuts if they do not attend back-to-work interviews, warn leading charities, Macmillan Cancer Support and Citizens Advice.2009-12-07T12:04:00Z2016-04-27T20:44:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Macmillanslamscruelbacktoworktestsforterminallyillcancerpatients.aspxDecember 4 is national Carers Rights DayThe tenth annual Carers Rights Day , organised by Carers UK , will be held on December 4. The focus of the 2009 Carers Rights Day is 'Caring for your income and pension'.2009-12-03T09:19:00Z2016-04-27T17:33:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Carersrightsday2009.aspxMacmillan teams up with TONI &GUY to offer hair advice to those affected by cancerMacmillan is extremely excited to be working with TONI &GUY, one of the world's most established hairdressing brands, to launch Strength in Style, a scheme to help improve the quality of hair care on the high street to men, women and children affected by cancer.2009-11-27T14:58:00Z2016-04-27T22:00:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Toniandguy_Nov09.aspxCelebrities reveal their dream Christmas stocking fillersAmanda Holden has joined superstars Dita Von Teese, Demi Moore, Rob Lowe, Emma Thompson, Lily Cole and Jo Wood in sharing her dream Christmas Stocking, which will be auctioned off to help raise £100,000 at Macmillan's Celebrity Stocking Auction on 2 December in London.2009-11-25T16:26:00Z2016-04-27T17:36:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/CelebritiesrevealtheirdreamChristmasstockingfillers.aspxMouth Cancer Awareness Week 2009It's Mouth Cancer Awareness Week 2009, so why not take this opportunity to find out what you can do to lower your risk of developing head or neck cancer.2009-11-16T15:21:00Z2016-04-27T20:57:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Mouthcancerawareness_Nov09.aspxCarers a priority for swine flu vaccinationGillian Merron MP, Public Health Minister has vowed to make carers a priority for vaccination against H1N1 swine flu in England.2009-11-13T15:21:00Z2016-04-27T21:47:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Swinefluvaccine_Nov09.aspxCarers Poverty Charter reaches Number 10A delegation of Carers UK members has been to 10 Downing Street to deliver the Carers Poverty Charter, which calls for urgent action to improve carer finances.2009-11-13T09:28:00Z2016-04-27T21:24:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/PovertyCharter_Nov09.aspxPublic ranks Macmillan as number one charityMacmillan Cancer Support has been ranked number one in the new Charity Brand Index 2009 - a survey of the top 100 charities carried out by Global market research agency Harris Interactive. The survey was commissioned by PR Week and Third Sector, the magazine for the voluntary sector.2009-11-05T10:29:00Z2016-04-27T21:26:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/PublicranksMacmillanasthenumberonecharity.aspxMacmillan autumn raffle winners 2009Thank you to everyone who took part in our Autumn Raffle 2009. With your support we have been able to raise an amazing £375,000 to support people living with cancer.2009-10-30T16:21:00Z2016-04-27T18:35:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Macmillanautumnrafflewinners2009.aspxKatherine Jenkins becomes newest ambassador for MacmillanWelsh Mezzo soprano Katherine Jenkins has been appointed as a new Ambassador of Macmillan Cancer Support joining Fearne Cotton, George Michael, Kay Burley and Martin Clunes in working for the charity.2009-10-30T16:04:00Z2016-04-27T18:19:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/KatherineJenkinsbecomesnewestambassadorforMacmillan.aspxCancer patients twice as likely to be fall into fuel poverty as the general populationPaying fuel bills can be hard at the best of times, but you are twice as likely to fall into fuel poverty if recently treated for cancer, according to new research from Macmillan Cancer Support.2009-10-27T09:26:00Z2016-04-27T17:30:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/CancerPatientsTwiceAsLikelyToBeInFuelPoverty.aspxMacmillan responds to Andy Burnham's announcement on disability benefitsDuleep Allirajah, Policy Manager at Macmillan Cancer Support, responds to reports in the press that Andy Burnham has this afternoon ruled out the proposal to scrap Disability Living Allowance.2009-10-26T10:55:00Z2016-04-27T20:07:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanRespondstoAndyBurnham.aspxMacmillan: Scrapping the winter fuel payments would be disastrousDuleep Allirajah, Policy Manager at Macmillan Cancer Support, responds to the Audit Commission's report that the winter fuel payment should be scrapped.2009-10-22T12:11:00Z2016-04-27T21:35:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/ScrappingWinterFuelpaymentsWouldBeDisastrous.aspxMacmillan responds to an increase in women attending cervical screenings in EnglandProfesor Jane Mayer, Macmillan's chief medical officer, responds to the news that more women are attending cervical screenings in England.2009-10-22T11:50:00Z2016-04-27T21:30:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/ResponseToIncreaseInCervicalScreenings.aspxBreast cancer survivors' needs neglectedConsultants, GPs and other healthcare professionals are failing to provide information and advice about the long-term effects of breast cancer treatment, that could drastically improve the lives of many of the half a million women in the UK.2009-10-19T11:51:00Z2016-04-27T17:14:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/BreastCancerSurvivorsNeedsNegletced.aspxThe Knitter launches campaign for Macmillan Cancer SupportThe Knitter has teamed up with Macmillan Cancer Support to launch the nationwide Macmillan Comfort Blanket campaign.2009-10-14T12:00:00Z2016-04-27T21:55:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/TheKnitterlaunchescampaignforMacmillanCancerSupport.aspxHalfords gives green lights for cancer supportOn Saturday 6 June 2009, Halfords, the UK's leading retailer of cycles, leisure, in car technology, car parts and accessories, will be going green to hail the launch of a new partnership with Macmillan Cancer Support.2009-10-14T11:55:00Z2016-04-27T18:07:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Halfordsgivesgreenlightsforcancersupport.aspxFearne Cotton to host Macmillan De'Longhi Art AuctionMacmillan Cancer Support and De'Longhi today announce that the fabulous Fearne Cotton will be hosting the third annual Macmillan De'Longhi Art Auction on 29th September at The Avenue St James's. Fearne, one of the UK's top radio and television presenters, is a fervent supporter of Macmillan as well as a keen painter.2009-10-14T11:52:00Z2016-04-27T17:56:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/FearneCottontohostMacmillanDeLonghiArtAuction.aspxMacmillan and Dairy Crest partnershipDairy Crest, the UK's leading chilled dairy foods company has launched a new partnership with Macmillan Cancer Support to help improve everyday life for people affected by cancer.2009-10-14T11:45:00Z2016-04-27T18:34:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanandDairyCrestpartnership.aspxWhat's a vote worth?Macmillan Cancer Support is encouraging local Nationwide members to take their chance to change lives by voting in the Society's AGM after it pledges 20p per vote cast to help people affected by cancer.2009-10-14T11:36:00Z2016-04-27T22:07:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Whatsavoteworth.aspxAlexa Chung, Jo Wood and PPQ coffee traysCult fashion label PPQ, MTV presenter and fashionista Alexa Chung and organic queen Jo Wood have all donated original artwork to create a range of six limited edition melamine coffee trays, £25 from www.macmillan.org.uk/coffeeshop, with proceeds from each tray going to help Macmillan support people affected by cancer.2009-10-14T11:11:00Z2016-04-27T17:00:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/AlexaChung,JoWoodandPPQcoffeetrays.aspxThink pink for Macmillan Cancer SupportThis October, why not show your support for Breast Cancer Awareness Month by treating someone to a Pink Roberts Radio being sold specially for Macmillan Cancer Support.2009-10-14T11:05:00Z2016-04-27T21:57:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/ThinkpinkforMacmillanCancerSupport.aspxMake your cup count!Join the World's Biggest Coffee Morning on Friday 25 September and help Macmillan Cancer Support reach more people affected by cancer.2009-10-14T10:13:00Z2016-04-27T20:52:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Makeyoucupcount!.aspxStrictly stars cook up a sweet storm for charityStrictly stars Jo Wood, Lynda Bellingham and host Claudia Winkleman are letting us in on their sweetest recipes to support Macmillan Cancer Support's flagship fundraiser, World's Biggest Coffee Morning, on Friday 25 September.2009-10-14T09:58:00Z2016-04-27T21:46:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Strictlystarscookupasweetstormforcharity.aspxMacmillan promotes new one-stop cancer support phone serviceBritish actress Helena Bonham Carter is helping Macmillan Cancer Support promote its new free phone service for people affected by cancer. The advertising campaign begins on 5 October and runs for two months.2009-10-07T12:01:00Z2016-04-27T20:06:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Macmillanpromotesphoneservice.aspxMacmillan scoops two accolades at the CIPR AwardsWeve been celebrating here at Macmillan Cancer Support this week, as we won two awards out of 900 entries to the CIPR Awards (Chartered Institute of Public Relations).2009-10-05T11:19:00Z2016-04-27T18:34:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/macmillan_wins_for_prescription_campaigns.aspxMacmillan Cancer Support responds to free hospital car parking for in-patientsIn response to Andy Burnham's announcement today that the Government is abolishing hospital car parking charges for in-patients in England, Macmillan Cancer Support's Chief Executive, Ciarán Devane, said, 'We applaud the Government for recognising the high cost to families visiting relatives in hospitals, but are disappointed that they have ignored the same high cost of parking charges to those cancer patients having treatment as out-patients.'2009-09-30T14:17:00Z2016-04-27T20:12:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/MacmillanRespondsToFreeHospitalCarParking.aspxTwo thirds of cancer patients are paying for free prescriptionsTwo-thirds of cancer patients eligible for free prescriptions are still paying for their medication despite having exemption from charges since 1 April 2009.2009-09-12T16:38:00Z2016-04-27T22:03:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Twothirdspatientspayingforprescriptions.aspxCancer patients still being conned by hospitals over parkingWell over half (59%) of cancer patients are still not getting free or discounted parking when they visit hospital, according to new research by Macmillan Cancer Support, despite Government guidance strongly recommending this.2009-09-12T16:32:00Z2016-04-27T17:26:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/CancerPatientsConnedOverParking.aspxMacmillan statement on the Prime Minister's conference speech todayInformation on Macmillan statement on the Prime Minister's conference speech today2009-08-14T14:22:00Z2016-04-27T18:32:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Macmillan_respond_to_Prime_Minister_speach.aspxSpring Raffle 2009 WinnersThank you to everyone who took part in our Spring Raffle 2009. With your support we have been able to raise an amazing £306,000 to support people living with cancer.2009-08-14T14:22:00Z2016-04-27T21:41:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/SpringRaffle2009Winners.aspxA better deal for cancer patients in ground breaking cancer plan for England says Macmillan Cancer SupportInformation on A better deal for cancer patients in ground breaking cancer plan for England says Macmillan Cancer Support2009-08-14T14:22:00Z2016-04-27T17:21:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Cancer_reform_stategy_Dec_07.aspxHampton Court Flower Show success for Healing GardenCongratulations to Jill Foxley, winner of two awards at the RHS Hampton Court Palace Flower Show last week (7-12 July 2009).2009-08-14T14:22:00Z2016-04-27T18:08:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/HamptonCourtFlowerShow.aspxMacmillan Cancer Support launch on-line personalised assessment for risk of inherited breast or ovarian cancerInformation on Macmillan Cancer Support launch on-line personalised assessment for risk of inherited breast or ovarian cancer2009-08-14T14:22:00Z2016-04-27T18:22:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Launch_online_personalised_assessment_fo.aspxCancer patients facing exceptional difficulties to get funding for drugsCancer patients still face exceptional difficulties to get funding for drugs2008-10-29T11:23:00Z2016-04-27T17:20:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Cancer_patients_facing_exceptional_difficulties_to_get_funding_for_drugs.aspxMacmillan Cancer Support responds to government announcement on fuel bills - cancer patients need help nowInformation on Macmillan Cancer Support responds to government announcement on fuel bills - cancer patients need help now2008-09-11T14:23:00Z2016-04-27T18:31:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Macmillan_Cancer_Support_responds_to_government_announcement_on_fuel_bills.aspxScottish government scraps parking chargesInformation on Scottish government scraps parking charges2008-09-02T14:23:00Z2016-04-27T21:34:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Scottish_parking_charges.aspxLack of support services for cancer survivors is a ticking time bombInformation on Lack of support services for cancer survivors is a ticking time bomb2008-08-06T17:56:00Z2016-04-27T18:20:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/LackOfSupportServicesForCancerSurvivorsIsATickingTimeBomb.aspxNationwide's AGM raises £250,000 for MacmillanInformation on Nationwide's AGM raises £250,000 for Macmillan2008-07-30T10:55:00Z2016-04-27T20:59:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/NationwidesAGMRaises250000ForMacmillan.aspxCarers can't afford to be illInformation on Carers can't afford to be ill2008-07-14T11:03:00Z2016-04-27T17:32:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Carers_cant_afford_to_be_ill.aspxFree hospital parking for cancer patients in Northern Ireland; Macmillan steps up campaign in EnglandInformation on Free hospital parking for cancer patients in Northern Ireland; Macmillan steps up campaign in England2008-05-21T18:28:00Z2016-04-27T21:19:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Parking_charges.aspxCongratulations to all our Flora London Marathon runnersInformation on Congratulations to all our Flora London Marathon runners2008-04-14T17:45:00Z2016-04-27T17:43:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Congratulations_to_all_our_Flora_London_Marathon_runners.aspxMacmillan Cancer Support Welcomes Announcement of £1.5m Partnership with The Royal Bank of Scotland to Tackle the Financial Impact of CancerInformation on Macmillan Cancer Support Welcomes Announcement of £1.5m Partnership with The Royal Bank of Scotland to Tackle the Financial Impact of Cancer2008-04-03T10:37:00Z2016-04-27T18:12:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Initiative_to_tackle_the_Financial_Impact_of_Cancer.aspxMacmillan Cancer Support calls for reform of 'unfair' prescriptions systemInformation on Macmillan Cancer Support calls for reform of 'unfair' prescriptions system2008-04-01T10:54:00Z2016-04-27T17:19:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Call_for_reform_of_unfair_prescriptions_system .aspxPoor health for cancer survivors, five years onInformation on Poor health for cancer survivors, five years on2008-03-11T16:12:00Z2016-04-27T21:23:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Poor_health_for_cancer_survivors.aspxEngland must follow Wales' lead in free hospital parking says Macmillan Cancer SupportInformation on England must follow Wales' lead in free hospital parking says Macmillan Cancer Support2008-03-05T12:15:00Z2016-04-27T17:52:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/England_must_follow_Wales_lead.aspxThe National Gardens Scheme donates £2 Million to charityInformation on The National Gardens Scheme donates £2 Million to charity2008-02-08T14:51:00Z2016-04-27T21:07:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/NGS_donation.aspxCancer charities Macmillan Cancer Support and Cancerbackup announce merger proposalInformation on Cancer charities Macmillan Cancer Support and Cancerbackup announce merger proposal2008-01-11T12:16:00Z2016-04-27T18:32:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Macmillan_cancerbackup_merger.aspxLeanne Grose releases her autobiography 'Just a step' and armchair fitness DVD 'Leanne's Chair Workout'Information on Leanne Grose releases her autobiography 'Just a step' and armchair fitness DVD 'Leanne's Chair Workout'2008-01-10T10:38:00Z2016-04-27T18:22:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Leanne_Grose_DVD.aspx'Grease' raises £500,000 for Macmillan Cancer SupportInformation on 'Grease' raises £500,000 for Macmillan Cancer Support2007-12-13T15:35:00Z2016-04-27T18:03:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Grease.aspxWe put people affected by cancer at the heart of the Cancer Reform StrategyInformation on We put people affected by cancer at the heart of the Cancer Reform Strategy2007-12-04T15:34:00Z2016-04-27T17:21:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Cancer_reform_strategy_article.aspxMacmillan launches campaign to help people 'work through cancer'Information on Macmillan launches campaign to help people 'work through cancer'2007-11-20T12:50:00Z2016-04-27T22:09:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Working_through_cancer_campaign.aspxMacmillan Summer Raffle 2007 a huge successInformation on Macmillan Summer Raffle 2007 a huge success2007-10-24T11:05:00Z2016-04-27T18:33:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Macmillan_Summer_Raffle_2007_a_huge_success.aspxLung Cancer Awareness Month 2007Information on Lung Cancer Awareness Month 20072007-10-22T14:01:00Z2016-04-27T18:27:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Lung_Cancer_Awareness_Month_2007.aspxStatement from Macmillan on the death of Jane TomlinsonInformation on Statement from Macmillan on the death of Jane Tomlinson2007-09-04T14:15:00Z2016-04-27T21:44:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Statement_from_Macmillan_on_the_death_of_Jane_Tomlinson.aspxSir Norman Wisdom film to be released on DVD to help MacmillanInformation on Sir Norman Wisdom film to be released on DVD to help Macmillan2007-08-28T17:36:00Z2016-04-27T21:38:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Sir_Norman_Wisdom_film_to_be_released_on_DVD_to_help_Macmillan.aspxGrand Tour Cape to Cape 2007Information on Grand Tour Cape to Cape 20072007-08-17T11:22:00Z2016-04-27T18:02:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Grand_Tour_Cape_to_Cape_2007.aspxThe Big Picnic supported by SomerfieldInformation on The Big Picnic supported by Somerfield2007-07-27T15:05:00Z2016-04-27T21:51:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/The Big Picnic supported by Somerfield.aspxFamily history of cancerInformation on Family history of cancer2007-07-27T14:58:00Z2016-04-27T17:55:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Family history of cancer.aspxRelationships put to test under strain of caringInformation on Relationships put to test under strain of caring2007-07-27T14:55:00Z2016-04-27T21:28:00Zhttp://www.macmillan.org.uk/Aboutus/News/Latest_News/Relationships put to test under strain of caring.aspx
null
minipile
NaturalLanguage
mit
null
"I believe the message of Islam is the dignity with which we must treat women in society...and I think it is correct that education dignifies women," His Highness Karim Aga Khan, spiritual leader of the world's Shia Ismaili Muslims, explained to a BBC reporter at the turn of the century. Like his grandfather, Sir Sultan Mohamed Shah, who was once President of the League of Nations, the Aga Khan has been an ardent supporter of educating women in the developing world for decades. Recently celebrating his 73rd birthday, the 49th hereditary Imam and direct descendent of the Prophet Muhammad is still tireless in his effort, pragmatic in his approach, and strategic in his vision. As a religious leader, his moral obligation, rooted in the principles of Islam, holds him to both interpret the faith and improve the quality of life within the communities and societies in which his followers live. In his dual role, the Aga Khan is also founder and Chairman of one of the largest private development networks in the world, the Aga Khan Development Network (AKDN), active in over 25 countries and employing over 70,000 people.
null
minipile
NaturalLanguage
mit
null
Products Page Shopping Cart Raku firing has become very popular with artists like Joyce, who takes advantage of the amazing colors, textures and details brought out by this firing method. This method gives raku pottery a copper tone and smoked appeal. The appearance of raku products is the result of firing the clay to 1750 degrees F. Once this temperature has been reached, the piece is removed from the kiln and can be either smoked or flamed in the after burn chamber. The overall look will be shiny or matte depending on the glaze and the after burn giving it a rainbow of beautiful copper toned colors. Raku pottery is a challenge to create, but Joyce always rises to the occasion. Her raku pottery collection consists of spirit jars and vases. If you have any questions about Joyce’s raku pieces or other creations, contact her today! Raku reminds me of scenes from science programs about the formation of our wonderful solar system, indeed the universe. My vessels are inspired by these marvelous happening, thus the names. This firing method creates colors by some of the same processes that causes the happening in the universe. Vase shapes, themselves are so satisfying to the eye. I make them in a series. Each is “a one of a kind.” The individual throwing process, the size, shape, additional sculptural parts, the glazes, firing process, the weather, all play a part in the final visual result. They are designed to be strong forms that need nothing to complete their look. Since these are raku vessels, they will seep water, yet lining with a plastic container or bag can prevent this therefore allowing use for flowers. A dry arrangement works well. I will be adding new vases as I continue to photograph my completed ones.
null
minipile
NaturalLanguage
mit
null
The present invention relates to a component of a flow machine, particularly a turbine blade, which has a cooling channel through which a cooling medium can flow and which has at least one deflection formed by the wall of the cooling channel and deflecting the flow of the cooling medium from a first channel section into a downstream second channel section, wherein at least one flow guiding element, by which the cooling channel is divided in the deflection into an inner and an outer flow channel, is arranged in the cooling channel in the region of the deflection. In the field of flow machines, particularly gas turbines, increasingly higher temperatures are sought and put into practice for increasing the power output. The higher temperatures are attained on the one hand by advances in materials technology toward higher permissible material temperatures, and on the other hand by improved cooling of the components which are exposed to the high temperatures. Precisely in the gas turbine field, the necessity exist here to further improve the cooling for new generations of gas turbine blades. A known cooling method for the cooling of gas turbine blades is internal, convective cooling. In this cooling method, cooling air is introduced through the rotor shaft into the blade foot and from there into cooling channels running within the turbine blade, in which it takes up the heat of the turbine blade. The heated cooling air is finally blown out of the turbine blade through suitably arranged bores and slits. An exemplary course of the cooling air channels in a gas turbine blade (according to Thalin et al., 1982: NASA CR 1656087) is shown in FIG. 1. The cooling air enters the turbine blade via the blade foot 1, is conducted via a cooling channel 2 as far as the rear side of the blade, and is finally blown out through corresponding aperture slits 3. In the example shown in FIG. 1, a separate cooling channel 2a is additionally provided, via which a portion of the cooling air is conducted to the front side and tip of the blade, to emerge there via corresponding apertures 4. The flow course of the cooling air within the turbine blade is indicated by the arrows. In a typical course of the cooling air channel, 180xc2x0 deflections 5 are required in the neighborhood of the blade tip or blade foot, to connect together the different sections of the cooling air channel 2. However, complicated flow patterns develop in the region of this deflection 5, with eddies which lead to large pressure losses over the length of the cooling air channel 2 and thus require an increased pump power for the transport of the cooling air. Furthermore, areas of low heat transfer to the turbine blade arise in these regions and lead to local temperature peaks on the outer skin of the turbine blade. FIG. 2 shows schematically a detail of a cooling air channel 2 with a deflection 5, in which the recirculation areas, i.e., the areas which generate the high pressure losses, are denoted by the reference numeral 6. The flow course of the cooling medium is again shown by the arrows. Besides the pressure loss, the recirculation areas have only a small throughflow, so that areas of low heat transfer are present here. The pressure loss over the length of the cooling channel is reduced by the technical developments known heretofore, by suitable arrangement of flow-conducting elements such as are apparent from FIG. 1. An arrangement is known from U.S. Pat. No. 5,073,086 in which a flow guiding element is arranged in the cooling channel in the region of the deflection, and divides the cooling channel completely into an inner and an outer flow channel. The pressure loss brought about by the deflection can admittedly be reduced by this complete division of the flow; however, a clearly homogeneous removal of heat from the region of the deflection is not thereby attained. On the contrary, new areas of low heat transfer arise in the region of the flow guiding element constituted as a deflection guiding metal sheet. The present invention has as its object to provide a component of a flow machine with improved cooling, by which the pressure loss is reduced in the region of the deflections of the cooling channel, and a homogeneous heat transfer is attained. The object is attained with the component according to patent claim 1. Advantageous embodiments of the component are the subject of the dependent claims. The proposed component of the flow machine, as a rule a turbine blade, has in a known manner a cooling channel through which cooling medium can flow, with at least one deflection formed by the wall of the cooling channel and deflecting the flow of the cooling medium from a first canal section into a downstream second channel section. In the region of this deflection, a flow guiding element, for example, in the form of a deflection guiding metal sheet, is arranged in the cooling channel in the present component, and divides the cooling channel completely into an inner and an outer flow channel in the deflection. The present component is distinguished in that the inner flow channel has a constriction in the flow cross section. By means of this constriction, i.e., a narrowing followed by a widening again of the flow cross section, a nozzle effect occurs in the inner flow channel and advantageously increases, and at the same time homogenizes, the heat transfer by means of the acceleration of the flow. The constriction is preferably formed by a suitable shaping or contouring of the flow guiding element and/or of the wall of the cooling channel in the region of the deflection. By the proposed solution, a reduction of the pressure losses in the deflection is attained, with simultaneous homogenization of the heat transfer between the cooling medium and the wall material of the component. The present embodiment is independent of the further configuration of the component, and in particular independent of the rib configuration in the first and second channel sections, termed hereinafter the inlet channel and outlet channel, and also of possible roundings at the outer edge regions of the deflection. Such details, which occur in numerous gas turbine blades, have no influence on the advantageous effect of the present invention. In a very advantageous further development of the component, one or more outlet bores for the cooling medium are additionally formed in the outer flow channel of the deflection, in the wall of the cooling channel for the cooling medium, via which bores a small portion of the cooling medium can emerge from the cooling channel. This so-called blowing out of cooling airxe2x80x94in the case of air as the cooling mediumxe2x80x94again contributes, in connection with the already explained features, to a distinct improvement of the heat transfer, so that a component is obtained in which, on the one hand, local temperature peaks no longer occur in the region of the deflection, and on the other hand, high average values of the heat transfer to the cooling medium are attained. By the arrangement of these outlet bores in corner regions of the deflection, in which eddy areas otherwise occur, a clearly improved heat transfer is attained just there. The bores lead to breaking up the eddy areas and thus contribute to a homogenization of the heat transfer. Furthermore, these bores bring about the desired side effect that dust particles in the cooling medium are blown out through the bores. To amplify this side effect, the longitudinal axes of the bores are aligned about in the direction of the local flow lines of the flow of the cooling medium in the cooling channel. Because of the small boundary flow speed, the additional bores provide only a small contribution to the global pressure loss over the cooling channel, hardly perceptible, however, due to the advantageous effect of the abovementioned features for minimizing the pressure loss. The constriction of the flow cross section in the inner flow channel of the deflection, i.e., in the flow channel which has the shortest flow path in the deflection, which is required for the best possible functioning of the present invention, can be attained on the one hand by corresponding shaping of the flow guiding element, for example, by a thickening, and on the other hand by a corresponding shaping of the channel wall opposite the flow guiding element in the inner flow channel. The constriction can of course also be attained by a corresponding shaping of both elements, or of the further wall regions surrounding the inner flow channel. In an advantageous embodiment, in which the first and second channel sections run approximately parallel on either side of a partition which forms a side of the wall of the cooling channel, the thickness of the partition increases in the region of the deflection, in order to bring about the corresponding constriction within the inner flow channel by means of this increase of thickness. Different shapes are possible for the contouring of this partition which separates the outlet channel from the inlet channel in order to bring about the said effect. The flow guiding element which divides the cooling channel in the deflection into an inner and an outer flow channel is as a rule constituted as a flow guiding metal sheet. Preferably this flow guiding element extends a certain distance as far as into the second channel section or outlet channel. The distance by which the flow guiding element extends into the second channel section preferably corresponds to about the distance between the flow guiding element and the opposite wall of the cooling channel in the inner flow channel at the inlet or outlet of the deflection. An extension of the division of the cooling channel into an inner and an outer flow channel is attained by the extension of the flow guiding element. A slight constriction or widening of the channel cross section can be provided at the outlet of the inner flow channel, so that the wall of the flow guiding element in this region does not have to run unconditionally parallel to the channel wall of the second channel section or outlet channel. The flow guiding element is preferably constituted and arranged within the deflection such that about 25-45% of the mass flow of the flow entering the deflection from the inlet channel enters in the region within the flow guiding element, i.e., in the inner flow channel, and the remainder flows outside the flow guiding element, i.e., in the outer flow channel. The mass flow ratio corresponds to the inlet cross section surface ratio of the outer and inner flow channels. The surface ratio at the outlet channel should about correspond to that of the inlet channel, i.e., it is not to deviate by more than 20% from this ratio. The deflection guiding metal sheet, as a rule of a round shape, can of course vary in thickness, or else even furthermore be provided with guiding devices. In a further preferred variant of the invention, the flow guiding element has means which prevent a collection of dust or dirt in one of the flow channels. This can, for example, be attained in that the flow guiding element is equipped with passage apertures or otherwise configured in a suitable manner. By the total of the measures or features set out in the developments, i.e., by the optimizing of the geometry and by the blowing out of cooling air at critical places, an optimized cooling is attained in the region of the deflecting element, with minimized pressure loss. The individual measures are here independent of the specific geometry of the components and of the cooling channel, and can, for example, also be replaced with cooling channel deflections whose deflection angle is not equal to 180xc2x0. Furthermore, the present invention is not limited to turbine blades nor to gas-cooled components, but can also be used, in particular, for components with other flowing cooling media.
null
minipile
NaturalLanguage
mit
null
We must meet our huge **$20 Million Final End-of-Month** goal by **TONIGHT** at 11:59 PM. If we reach our goal, I'll put in **$10 MILLION** of my own money to ensure we WIN. I want to see YOUR name on the list for today. Make America Great Again! Contribute before **TONIGHT'S** deadline.
null
minipile
NaturalLanguage
mit
null
Q: Compact Subset Of $GL_n(\mathbb{C})$ Let X be a compact subset of $GL_n(\mathbb{C})$ and Y= set of all eigen values of matrices in X, we need to show Y is compact in $\mathbb{C}$, What I have done is that if $A\in X$ and $\lambda$ is an eigen value of A then $Ax=\lambda x$ for some eigen vector x, then $||Ax||=|\lambda| |x|$ but as X is compact so $||A||\le K$ for some K, so from the inequility $||Ax||\le ||A|||x|$ we finally get $|\lambda|\le K$ so Y is bounded set in $\mathbb{C}$ and from sequential argument we can say about the closedness. shall be highly pleased if you write any other way to proof. A: Given a sequence of eigen values $y_n \in Y$ converging to $y \in \mathbb{C}$, choose matrices $A_n \in X$ such that $y_n$ is an eigen value of $A_n$. Also, take $v_n$, unitary vectors such that $A_n v_n = y_n v_n$. Since $X$ is compact, and since the set of unitary vectors is compact, there is a subsequence $n_k$, an $A \in X$ and an unitary vector $v$ such that $A_{n_k} \rightarrow A$ and $v_{n_k} \rightarrow v$. The fact that $v_{n_k} \rightarrow v$ implies that $$ A_{n_k} v_{n_k} = y_{n_k} v_{n_k} \rightarrow y v. $$ On the other hand, the fact that $A_{n_k} \rightarrow A$ implies that (since product of matrices is continuous) $$ A_{n_k} v_{n_k} \rightarrow A v. $$ By the uniqueness of limits, $Av = yv$. That is, $y \in Y$. This shows that $Y$ is closed. To show that $Y$ is bounded, just take an unbounded sequence (ie: $y = \infty$) to conclude, using the same argument as above, that $A_n$ would not have any convergent subsequence.
null
minipile
NaturalLanguage
mit
null
Deadpool Quotes About Life Image Source Commercial epic quotes by that prove he is the most and deadpool life a trainwreck like,deadpool quotes life is a series collection of inspiring sayings images like,deadpool quote life is a series of trainwrecks quotes trainwreck movie comic vine,deadpool quotes life to learn the subtle art of not giving a movie is like trainwreck,deadpool movie quotes life is a series funny and lines let the glee begin quote of trainwrecks trainwreck,displaying media for hashtag showing images videos deadpool quotes life is a series movie,eat sleep repeat funniest quotes deadpool movie life is like quote a series of trainwrecks,deadpool quote life is a series of trainwrecks quotes and sayings,deadpool quotes life commercial best about and love great 3 is a trainwreck,deadpool quotes life is a series trainwreck commercial holding can of raid next to spider man and ant.
null
minipile
NaturalLanguage
mit
null
When voltage is applied to an organic electroluminescence device (hereinafter, occasionally referred to as an organic EL device), holes are injected from an anode to an emitting layer while electrons are injected from a cathode to the emitting layer. The injected holes and electrons are recombined in the emitting layer to form excitons. At this time, singlet excitons and triplet excitons are generated at a ratio of 25%:75% according to statistics of electron spin. In the classification according to the emission principle, in a fluorescent EL device which uses emission caused by singlet excitons, an internal quantum efficiency of the organic EL device is believed to be limited to 25%. On the other hand, it has been known that the internal quantum efficiency can be improved up to 100% under efficient intersystem crossing from the singlet excitons in a phosphorescent EL device which uses emission caused by triplet excitons. A technology for extending a lifetime of a fluorescent organic EL device has recently been improved and applied to a full-color display of a mobile phone, TV and the like. However, an efficiency of a fluorescent EL device is required to be improved. Based on such a background, a highly efficient fluorescent organic EL device using delayed fluorescence has been proposed and developed. For instance, an organic EL device using TTF (Triplet-Triplet Fusion) mechanism that is one of mechanisms for delayed fluorescence has been proposed. The TTF mechanism utilizes a phenomenon in which singlet excitons are generated by collision between two triplet excitons. By using delayed fluorescence by the TTF mechanism, it is considered that an internal quantum efficiency can be theoretically raised up to 40% even in fluorescent emission. However, as compared with phosphorescent emission, the fluorescent emission is still problematic on improving efficiency. Accordingly, in order to enhance the internal quantum efficiency, an organic EL device using another delayed fluorescence mechanism has been studied. For instance, TADF (Thermally Activated Delayed Fluorescence) mechanism is used. The TADF mechanism utilizes a phenomenon in which inverse intersystem crossing from triplet excitons to singlet excitons is generated by using a material having a small energy gap (ΔST) between the singlet level and the triplet level. An organic EL device with use of the TADF mechanism is disclosed, for instance, in non-Patent Literature 1. Non-Patent Literature 1 describes carbazolyl dicyanobenzene (CDCB) as a luminescent material for TADF. Non-Patent Literature 1 describes that CDCB includes carbazole as a donor and dicyanobenzene as an electron acceptor and emits light in a range from a blue color (473 nm) to an orange color (577 nm).
null
minipile
NaturalLanguage
mit
null
Ways To Prepare Your Golf Carts In Advance Of A Wedding 19 March 2018 When you're preparing an outdoor wedding site in advance of the ceremony, no detail is too small to command your attention. This means that you'll be busy setting up and decorating the tent, preparing the tables and chairs, and even looking after smaller details, such as signs that direct your guests where to go. If the wedding venue is large enough that golf carts are necessary for transportation, don't forget to have a plan for preparing them, too. Here are some steps that are important to take with the golf carts that you'll use for your wedding. Wash Them You want to have everything meticulous on your wedding day, and that means that the golf carts that will carry your guests from the parking lot to your ceremony site must also be clean. Talk to the venue's staff about washing the golf carts prior to your day. If you're getting married at a golf resort and the carts are used for playing golf, they may have grass clippings and small mud splatters around the tires and wheel wells. Some attention to detail in this regard will ensure that the carts look their best. For more information, contact professionals like the Cart Company. Decorate Them Many of the other elements throughout the venue will be decorated for your wedding, so it's important to ensure that your golf carts don't stand out for the wrong reason. There are many different ways that you can decorate the carts to ensure that they suit your wedding theme. Find material, ribbons, or other similar things that match the colors of your wedding — if you're decorating a large tent, you'll likely have these things in ample supply — and decorate the golf carts with them. Some appropriate-colored ribbons that stream off the rear of the golf cart when it drives, for example, can add plenty of fun and visual appeal. Load Them With Supplies It can be a nice touch to load each of the facility's golf carts with some refreshments and other supplies that your guests may need. A cooler on the back of each cart with some bottles of water, for example, is a good idea. If the day is particularly hot and sunny, providing some individual serving-sized packets of sunscreen is a thoughtful idea that your guests will appreciate. You may even wish to include a few snacks, especially if you anticipate that some guests will arrive early. Simple items such as granola bars are a good selection. About Me Before I had kids, I always wanted to be fun and energetic. Unfortunately, after years of attending college and sitting still, I realized that I had gained a tremendous amount of weight. I wanted to start participating in recreational activities and sports, so I started participating in local events that centered around outdoor activity. It was a little difficult at first, but after a few weeks it was incredible to see the difference that my efforts had made. I was spending more time with the kids, having a blast, and really enjoying my time away from work. Check out this blog for more information on recreation and sports.
null
minipile
NaturalLanguage
mit
null
Mucinous cystadenocarcinoma of the urachus associated with pseudomyxoma peritonei with emphasis on MR findings. Urachal mucinous cystadenocarcinoma associated with pseudomyxoma peritonei is extremely rare; only 11 cases are reported. We describe the characteristic imaging findings of this disorder and correlate imaging features by computed tomography, magnetic resonance imaging, and ultrasonography with operative findings and histopathologic specimens.
null
minipile
NaturalLanguage
mit
null
The Use of Intranasal Fentanyl for the Palliation of Incident Dyspnea in Advanced Congestive Heart Failure: A Pilot Study. Dyspnea is distressing in palliative patients with end-stage heart failure and many are hospitalized to optimize this symptom. We hoped to conduct a pilot study to determine whether the administration of intranasal fentanyl would decrease activity-induced dyspnea in this patient population. Patients performed two 6-minute walk tests with and without the administration of 50 μg of intranasal fentanyl. Vital signs were recorded before and after each walk, as were participant reported dyspnea and adverse events scores. Twenty-four patients were screened, 13 were deemed eligible, and 6 completed the study. Dyspnea scores changed from a mean of 6.00 immediately after the walk without fentanyl to a mean of 3.83 after the walk with fentanyl ( P = .048). Mean respiratory rate decreased from 21.0 to 18.7 ( P = .034) breaths per minute and was considered a favorable outcome by the participants. Distance walked did not significantly increase with the fentanyl pretreatment (136.0-144.2 m; P = .283), although the participants reported feeling better while walking a similar distance. In this pilot study, the preadministration of intranasal fentanyl prior to activity in palliative, end-stage hospitalized heart failure patients, safely reduced tachypnea, and the feeling of shortness of breath. This approach may help palliate advanced heart failure patients by alleviating symptoms brought on by exertional activities.
null
minipile
NaturalLanguage
mit
null
Share Email 51 Shares Rep. Robert Hooper, D-Burlington, center, at a Statehouse meeting in February. Photo by Glenn Russell/VTDigger A state lawmaker who is also on the board of the state employees association has a question for fellow union leaders about a document leaked to VTDigger. “Anyone feeling guilty??” Rep. Robert Hooper, D-Burlington, wrote in an email Wednesday night to other members of the Vermont State Employees' Association’s board of trustees. Hooper sent the email at 11:39 p.m. Wednesday, characterizing it as “Just some late night ramblings” to his fellow union board members regarding a story appearing in VTDigger earlier that day. Get all of VTDigger's daily news. You'll never miss a story with our daily headlines in your inbox. The story was about a resolution adopted by the union's board Monday condemning harassment and exploitation of “all people living and working in Vermont.” Draft meeting minutes obtained by VTDigger revealed the board voted to remove references to a prison scandal involving allegations of sexual abuse of inmates and drug use by corrections staff. “Wondering who on the board thinks doing our business in the press is a viable recourse to working together with the members,” Hooper wrote in his Wednesday night email obtained Thursday by VTDigger. “Is anyone questioning that draft minutes are indeed draft and not subject to publication until reviewed and voted on by the board??” he added. Hooper also wrote that he had “NO” problem defending his vote to amend the initial resolution that “cast a dark light” on all corrections employees, rather than “just the rotten apples.” He added that those corrections workers convicted of abuse “deserve to hear the locking of the door, from inside the cell.” VTDigger is underwritten by: Hooper urged his fellow board members to reflect on the oath they took as board members and they should be “one team sitting at that table,” with “no games” or private agendas. “Anyone feeling guilty?? Anyone feeling self righteous? Just some late night ramblings,” he wrote. Hooper said Thursday he stands behind his vote to amend the initial resolution presented to the board, removing any reference to the corrections system. “I thought as written it was sort of an indictment of everybody who worked in corrections,” Hooper said. “Clearly there’s a problem in corrections, but the problem is not limited to corrections.” Speaking about his late night email, Hooper said, “I have a specific problem with people who think that airing dirty laundry in public is a way to rectify a problem they are having.” The initial resolution stated that several reports had “come to light in December 2019 detailing a pervasive culture of sexual harassment and exploitation in Vermont’s prison system.” The resolution added the VSEA board of trustees “condemns the sexual harassment and exploitation of all people living and working in Vermont’s prison system.” Hooper, a past president of the VSEA, proposed an amendment that was ultimately approved by the board on a 9-6 vote to delete the words “pervasive culture of.” Trustee Joseph Silvestri made his own move to amend the resolution, calling for the deletion of all references to Vermont’s prison system. The proposal changed the wording to “Vermont’s workforce” or “Vermont,” according to the draft minutes. The vote on that amendment was closer, narrowly passing by one vote. Steve Howard, VSEA executive director, said Thursday he had not seen the email sent Wednesday night by Hooper, but had heard about it. Hooper sent the email to board members and wrote in it that he specifically did not send it to VSEA staff. Howard said he agreed that the release of the draft minutes was “inappropriate,” since other board members had not yet had a chance to review them and adopt them, which typically takes place at the board’s next meeting. The union posted a final approved resolution on its website Thursday, reflecting the changes made at the Monday meeting. Attempts this week to reach other union board members, including board President David Bellini, were not successful. Howard said he expected that the issue of the disclosure of the draft meeting minutes to VTDigger would be brought up at the board’s next meeting. VTDigger is underwritten by: Share Email 51 Shares
null
minipile
NaturalLanguage
mit
null
This archived news story is available only for your personal, non-commercial use. Information in the story may be outdated or superseded by additional information. Reading or replaying the story in its archived form does not constitute a republication of the story. OREM — Utah Valley University President Matthew S. Holland will step down from his position at the university to serve as a mission president for The Church of Jesus Christ of Latter-day Saints, according to a statement from UVU officials. Holland will continue to serve as the university's president through June 2018, then leave for his mission the following month. He will preside over an English-speaking mission that will be announced later in the year. Holland is the son of LDS Church apostle Jeffrey R. Holland. “Serving at UVU during the past nine years has been a signal honor and daily joy,” Holland said in the statement. Building a thriving university around a community college has been one of the great causes in higher education, Holland said, and he couldn’t be more pleased about the impact UVU has had in making college degrees more affordable, accessible and relevant. "At the same time, I absolutely cherish my faith and am so honored and grateful for this unexpected privilege to serve in this new ecclesiastical role,” he said. Holland was appointed UVU's sixth president in 2009. During his time at the university, UVU completed its transition to a full-fledged university with more than 37,000 students. UVU is now the largest university in the state and almost doubled its campus footprint with the acquisition of 225 acres during Holland's tenure. "We grew in a pretty historic way and we made it work," Holland said. "We found the resources for it in terms of the funding and the buildings, and we found some innovative ways to move higher ed forward in a time when higher ed is in kind of a crisis." The university now offers 44 certificate programs, 62 associate degrees, 84 bachelor degrees, three graduate certificates and eight master degrees. “Matt Holland's vision for engaged learning and student success has propelled UVU into the national and international spotlight," Elaine Dalton, UVU board of trustees chairwoman, said in the statement. The school will begin a national search to replace Holland and hopes to announce a new president by June 2018. Holland has no plans to return to any official position at UVU after his time as a mission president, according to the university. "Over the last nine years, the Hollands have led Utah Valley University to extraordinary heights. We are grateful for their wholehearted and visionary service in improving higher education here in Utah and send them our best wishes as they dedicate the next few years of their lives to serving the LDS Church," said Governor Gary Herbert in a news release. But according to Holland, the university president still has a lot to do. "Anybody who knows me knows they’re going to have to drag me out the door 'til the last day I’m here."
null
minipile
NaturalLanguage
mit
null
Caveolins are cholesterol binding proteins that can potentially regulate a variety of signal transduction pathways (Smart et al., (1999) Mol. Cell. Biol. 19, 7289-7304; Kurzchalia & Parton, (1999) Curr. Opin. Cell. Biol. 11, 424-431). For example, numerous researchers have demonstrated localization of proteins in caveolac, interaction of these proteins with caveolins, and the ability of overexpressed caveolins or peptides derived from caveolins to suppress or stimulate signaling functions in vitro or in cultured cells (Li et al., (1996) J. Biol. Chem. 271, 29182-29190; Razani et al., (1999) J. Biol. Chem. 274, 26353-26360; Nasu et al., (1998) Nat. Med. 4, 1062-1064; Garcia-Cardena et al., (1997) J. Biol. Chem. 272, 25437-25440). However, the importance of caveolins as modulators of signal transduction in vivo is controversial since caveolins-1 and -3, per se, are cholesterol binding proteins that deliver cholesterol from the endoplasmic reticulum to the plasmalemma thereby regulating signal transduction indirectly by modulating the cholesterol content of lipid raft domains and caveolae (Roy et al., (1999) Nat. Cell Biol. 1, 98-105; Stemberg et al., (1999) Nat. Cell Biol. 1, E35-37). Recent studies have focused on the subcellular trafficking and regulation of endothelial nitric oxide synthase (eNOS). eNOS derived NO is necessary for the maintenance of systemic blood pressure, vascular remodeling, angiogenesis and wound healing (Huang et al., (1995) Nature 377, 239-242; Murohara et al., (1998) J. Clin. Invest. 101, 2567-2578; Rudic et al., (1998) J. Clin. Invest. 101, 731-736; Lee et al., (1999) Am. J. Physiol. 277, H1600-1608). eNOS is a dually acylated, peripheral membrane protein that targets to lipid raft domains and caveolae (Garcia-Cardena et al., (1996) Proc. Natl. Acad. Sci. USA 93, 6448-6453; Liu et al., (1997) J. Cell Biol. 137, 1525-1535). In caveolae, eNOS can physically interact with caveolins-1 and -3 by binding to their putative scaffolding domain located between amino acids 82-101 (Li et al., (1996) J. Biol. Chem. 271, 29182-29190) and this interaction renders eNOS in its “less active” state (Garcia-Cardena et al., (1997) J. Biol. Chem. 272, 25437-25440; Ju et al., (1997) J. Biol. Chem. 272, 18522-18525; Michel et al., (1997) J. Biol. Chem. 272, 25907-25912). The data for this model was largely elucidated in vitro either using overexpression systems, fusion proteins or yeast-two hybrid screening to map the interacting domains. In support of caveolin as a negative regulator of eNOS are studies showing that peptides derived from the scaffolding domain of caveolin-1 will disrupt the binding of eNOS to caveolin and dose-dependently inhibit NOS activity in vitro (IC50=1-3 μM) by slowing electron flux from the reductase to the oxygenase domain of NOS (Garcia-Cardena et al., (1997) J. Biol. Chem. 272, 25437-25440; Ju et al., (1997) J. Biol. Chem. 272, 18522-18525; Ghosh et al., (1998) J. Biol. Chem. 273, 22267-22271). The present invention demonstrates that the treatment of one or more cells with a peptide comprising at least one caveolin scaffolding domain results in the reduction and/or elimination of one or more conditions or afflictions of the treated tissue, organ or organism. For example, treatment with a peptide comprising at least one caveolin scaffolding domain results in the reduction or elimination of inflammation and tumor cell angiogenesis and proliferation. The present invention also demonstrates the use of antennapedia fusion peptides (“AP fusions”) to deliver bioactive peptides to cells of the vasculature in vitro and in vivo. Previous work utilizing this method of delivery has focused on the fusion of AP with oligonucleotides and small peptides for treatment of cells in culture. The uptake of AP bound cargo into cells is rapid, independent of membrane fluidity and is not affected by extremes in temperature (Derossi et al., (1996) J. Biol. Chem. 271, 18188-18193). In the present experiments, Caveolin-1 scaffolding domain—antennapedia fusion peptides (“AP-Cav”) either in their biotinylated or rhodamine labeled forms, were internalized by the endothelium. Moreover, based on the anti-inflammatory actions of AP-Cav in vivo, the fusion peptides must be stable enough to survive first pass metabolism in the liver and pulmonary circuit to deliver the active peptides to the sites of inflammation. Preliminary evidence indicates that the AP-Cav peptides of the present invention do not increase blood pressure when delivered in vivo. Thus, the compositions and methods of the present invention provide useful approaches to delivering anti-sense oligonucleotides or as part of viral delivery systems for therapeutic cardiovascular gene targeting in vivo. While not wishing to be bound by any particular theory, the fusion peptides of the present invention appear to be blocking one or more proteins that interact with or have the potential to interact with caveolin. Examples of such caveolin bound proteins include, but are not limited to, eNOS, the “Src Family” of tyrosine kinases (e.g., Src, Fyn, Lck, Yes, Lyn, Blk, Hick, Fgr, Yrk), Scr-like kinases, Ras proteins (e.g., Rho, Rac, Rab), Raf proteins (e.g., Raf-1, A-Raf, B-Raf), EGF receptors, and MAP kinases (e.g., Fus3) (Couet et al. (1997) J. Biol. Chem. 272, 6525-6533; Lewin (2000) Genes vii, Signal Transduction, pp. 801-834, Oxford University Press; Smith et al. (1997) Oxford Dictionary of Biochemistry & Molecular Biology, Oxford University Press).
null
minipile
NaturalLanguage
mit
null
Maine State Police say Interstate 295 in Yarmouth has reopened after a tractor-trailer crashed and blocked the southbound lanes for several hours on Wednesday.Police said the crash happened between exit 17 and the Royal River.Southbound traffic was detoured at exit 17 along Route 1 through Yarmouth.The crash caused significant traffic tie-ups until the highway was reopened just after 1:30 p.m.State Police said a driver of a car apparently cutoff the tractor trailer YARMOUTH, Maine — Maine State Police say Interstate 295 in Yarmouth has reopened after a tractor-trailer crashed and blocked the southbound lanes for several hours on Wednesday.
null
minipile
NaturalLanguage
mit
null
Ca2+ sensitization of myocardial force and actomyosin ATPase by (D-Ala2, Met5) enkephalinamide. The presence of proenkephalin mRNA and proenkephalin peptides in cardiac muscle cells suggests the local production of enkephalins in the myocardium. Yet, the effects of these peptides on the function of the contractile proteins are unknown. The effects of (D-Ala2, Met5) enkephalinamide (DALA) on the activity of the actin stimulated Ca, Mg-myosin ATPase in myofibrils and on the contractility and the activity of the related actomyosin ATPase of chemically skinned muscle fibres from pig myocardium were studied. In this article, it is shown that the myofibrillar actomyosin ATPase as well as the contractility and the actomyosin ATPase in skinned fibres are sensitized to Ca2+ ions by DALA. 10(-11) -10(-6) mol/l DALA decrease the effective concentration of Ca2+ stimulating the myofibrillar ATPase activity by 50% (EC50) from 4.0.10(-5) to 1.5.10(-5) mol/l (p < 0.05). The magnesium dependent myosin ATPase activity at low Ca2+ concentration (10(-9) mol/l) is increased. The EC50 values of Ca2+ for both force development and the related actomyosin ATPase activity of skinned fibres are decreased by DALA (10(-11) -10(-5) mol/l) from 2.5.10(-6) to 2.0.10(-6) mol/l (contractions; p < 0.01) and from 2.0.10(-6) to 1.3.10(-6) mol/l (ATPase activity; p < 0.01). The tension cost (ATPase/tension) of the fibres is unchanged by DALA. In conclusion, the results demonstrate a Ca2+ sensitization of the contractile proteins by low concentrations of DALA, indicating a direct regulatory involvement of enkephalins in the regulation of myocardial contractility. These results correspond with the positive inotropic effects of enkephalins in isolated heart muscle cells.
null
minipile
NaturalLanguage
mit
null
Chillán Chillán ( or ) It is the capital city of the Ñuble Region in the Diguillín Province of Chile located about south of the country's capital, Santiago, near the geographical center of the country. It is the capital of the new Ñuble Region since 6 September 2015. Within the city are a railway station, an inter-city bus terminal, an agricultural extension of the University of Concepción, and a regimental military base. The city includes a modern-style enclosed shopping mall in addition to the multi-block open-air street market where fruits, vegetables, crafts and clothing are sold. The nearby mountains are a popular skiing destination. History The zone where Chillán was built was previously inhabited by indigenous people called Chiquillanes. Chillán was founded in 1580 at the site of Chillán Viejo as San Bartolomé de Chillán by Martín Ruiz de Gamboa , who was campaigning against the local indigenous peoples at the time. However, this moniker did not fare well, and was replaced by the current name, which in the local Indian language means "where the Sun is sitting". During the Mapuche uprising of 1655 the city was besieged by Mapuche warriors. The Spanish defended the city from trenches and a palisade fort. Hoping for a miracle the Spanish put an image of Mary near the trenches which Mapuches are said to have thrown arrows against. In early March, about one month after the onset of uprising, distress was such that the Spanish abandoned the city and headed north escaping the conflict zone. The Real Audiencia of Santiago declared the evacuation an act of cowardice and prohibited refugees from Chillán to go beyond Maule River north. As there was an outbreak of smallpox among the refugees this was in effect an quarantine, as threespassing north was punished with death sentences. From its foundation, Chillán has been at the heart of Chile's rich agricultural region. It is also in a region of seismic activity, suffering from devastating earthquakes throughout its history; the 1939 Chillán earthquake left over 30,000 dead and mobilized international help. Chile's national hero, Bernardo O'Higgins, was born in Chillán in 1778. He was the force behind Chile's Independence from Spain, being elected Supreme Director and declaring independence after the Battle of Chacabuco against the Spanish in 1817. His later victory at the Maipo battlefield cemented the country's freedom. He died in exile in Peru in 1842. Climate Chillán has a mediterranean climate (Köppen climate classification Csb). Winters are cool but mild with a July average of . Most of the precipitation falls during this time of the year with May to July being the wettest months, averaging over . Summers on the other hand are dry and warm with a January average of and during this time, precipitation is rare, averaging only 2–3 days per month from December to February. Temperatures can occasionally exceed anytime from October to April. The average annual precipitation is but it is highly variable from year to year with 1982 being the wettest year at and 1998 being the driest year at only . The air in Chillán is the fourth-most polluted in Chile, after Santiago, Temuco, and Concepción. "As in Temuco, the main cause of air pollution in Chillán is the use of wood-burning stoves: about 62% of all households in Chillán use firewood as their main source of heating." Demographics According to the 2002 census by the National Statistics Institute, the commune of Chillán spans an area of and has 161,953 inhabitants (77,007 men and 84,946 women). Of these, 148,015 (91.4%) lived in urban areas and 1,938 (8.6%) in rural areas. The population grew by 8.3% (12,442 persons) between the 1992 and 2002 censuses. The demonym for a person from Chillán, used for more than 400 years by local residents, is Chillanejo, yet this is not found in the Royal Spanish Academy Dictionary, which only recognizes Chillanense. Notable people In addition, Chillán has offered a number of artists. A notable example is Claudio Arrau, the pianist. Additionally there is Ramón Vinay, the tenor who played Otello in the 1950s. His recording the role with Toscanini. He was a regular at the New York's Metropolitan Opera, where he sang both tenor and baritone roles. One of his last performances at this house was as the Barber of Seville's Basilio, a bass role. He retired from the stage in 1969. Other "Chillanejos" include the writer Marta Brunet, the sculptor Marta Colvin, the painter Pacheco Altamirano and others such as Juan de Dios Aldea who, however, did not reach the international acclaim achieved by Arrau and Vinay, Finally Super Smash Bros. player Gonzalo "ZeRo" Barrios who had a record breaking 56 tournament winning streak is also from Chillán Administration As a commune, Chillán is a third-level administrative division of Chile administered by a municipal council, headed by an alcalde who is directly elected every four years. The 2008-2012 alcalde is Sergio Zarzar Andonie (ILE). Within the electoral divisions of Chile, Chillán is represented in the Chamber of Deputies by Carlos Abel Jarpa (PRSD) and Rosauro Martínez (RN) as part of the 41st electoral district, (together with Coihueco, Pinto, San Ignacio, El Carmen, Pemuco, Yungay and Chillán Viejo). The commune is represented in the Senate by Victor Pérez Varela (UDI) and Felipe Harboe (PPD) as part of the 13th senatorial constituency (Biobío-Coast). Transport Nowadays, the city of Chillán is connected to Chile's capital Santiago by both a modern highway and a rebuilt railway system TerraSur that makes the trip in less than five hours. TerraSur, which terminates in Chillán station, and the Alameda-Temuco Train both operate on the railway connecting Chillan with Rancagua and Santiago, although the Alameda-Temuco train also connects Chillan with Temuco. Gallery See also Termas de Chillán References Bibliography External links Municipality of Chillán City map Chillán & Ñuble Fotográfico en Flickr Category:Communes of Chile Category:Populated places established in 1580 Category:Capitals of Chilean regions Category:Populated places in Diguillín Province Category:1580 establishments in Chile
null
minipile
NaturalLanguage
mit
null
Q: Implicit commit in F4IF_INT_TABLE_VALUE_REQUEST popup? I noticed that there is an implicit commit between the cycles mentioned above. Now I am in an BADI, where I implement a method, which help states there should be no commits there. However, I have a requirement which is best to be implemented through this method. And I use F4IF_INT_TABLE_VALUE_REQUEST module to allow user selection via popup. Now I need to know whether this popup implicitly triggers the commit because there is also a PBO-PAI cycle involved. Is it? A: As I also stated in comments the short answer is yes. F4IF_INT_TABLE_VALUE_REQUEST calls a popup window with CALL SCREEN and this command starts a new screen sequence ending another. More (latest ABAP version) here, cited the exact case: Completion of a dialog step The program waits for a user action and does not occupy a work process during this time. The next free work process is assigned to the program in the next dialog step.
null
minipile
NaturalLanguage
mit
null
The present invention relates to agricultural tillage equipment; and more particularly, it relates to apparatus for achieving primary or secondary tillage using discs or "blades" as they are sometimes called. The type of tillage desired to be achieved by the present invention is similar to that achieved by conventional moldboard plows--that is, it is desired to uncover soil down to a depth of up to eight inches, and to break up the soil into larger clods and turn it over to bury any trash or residue that may have been left at the top of the soil. This is distinguished from another function sometimes performed by gangs of discs referred to as listers or bedders which are used primarily to prepare seed beds for planting with particular surface profiles depending on the crop. Such devices are not for primary tillage. In addition, tandem and offset disc harrows are used for seed bed preparation after primary or deep tillage has been achieved by a moldboard plow. Heavy disc tandems are also used to break up larger lumps of soil and pulverize the loose soil in the spring, where the soil might have been plowed using a moldboard plow in the previous fall. Disc gangs or harrows are usually rotatably mounted on a common shaft which defines an angle relative to a line perpendicular to the direction of travel of the draft vehicle pulling it, called the working angle. Each disc gang includes a set of concave blades mounted on a common shaft. When the gang is operated at a right angle from the direction of travel, the blades roll over the ground like wheels with very little cutting. As the working angle increases disc rotation slows down, penetration increases depending on weight, and blades scoop and roll soil as they rotate. More soil is turned and trash coverage improves as the working angle increases. Soil pulverization is also increased, particularly at higher speeds, up to 7 mph. For disc harrows, whether tandem or offset, the working angle is normally in the range of 25.degree. to 30.degree.. An important aspect of disc gangs of this type is the spacing of the blades relative to the size of the blades used because this factor, together with the working angle, determines the amount of coverage a single blade will achieve. Disc gangs are designed so that each gang will achieve full soil coverage (that is, no soil will be left unworked after each gang passes). The spacing between adjacent discs is normally about 35-43 percent of the diameter of the disc, and rarely is it ever 50 percent of the diameter of the disc. Conventional disc harrows normally employ a forward disc gang and a rear disc gang. Because of the size and narrow spacing of the blades and the working angle, each gang achieves a full working of the soil, as mentioned. That is to say, the forward gang, in the case of an offset arrangement, will have each blade throw the soil toward the right, whereas the rear gang will throw all of the soil to the left, so that no net lateral displacement of the soil is realized--that is not the case for a moldboard plow, for example. This has the further advantage that the side draft on the first gang is substantially offset by the side draft on the second gang, thereby making it easy to adjust the system to the draft of the tractor. An "offset" system is one wherein all of the blades on the forward gang face one lateral direction, and all of the blades on the rear gang face the other lateral direction. Normally, the working angle of each gang may be the same, though provisions are made for independent adjustment, if desired. A "tandem" arrangement is one wherein the forward gang is divided into two sections, each facing a different lateral direction, so that the shafts on which the discs are mounted form a chevron shape. The rear gang, also divided into two side sections, has its sections facing the lateral direction opposite to that which the section immediately in front of it faces. Thus, the shafts for the rear gangs form an inverted chevron shape (when viewed from the top). The discs or "blades" used in these systems may have a spherical shape or their working surfaces may be frusto-conical with a relatively flat or slightly domed center portion for mounting. Disc harrows have some disadvantages. One disadvantage is that there is a double working of the soil. Although this has some advantages where it is desired to pulverize the soil, it uses more energy and is relatively inefficient in terms of working the soil. Further, because of the large number of blades relative to the width of a swath worked, in order to obtain soil penetration deeper than a few inches, it is a common practice to add weight to the frames, thereby further reducing efficiency and increasing the drag force. These systems are also limited in the forward speed at which they can be driven. Typically, the speed is in the range of 3 to 41/2 miles an hour. Modern tractors with higher drawbar power and better transmissions are capable of sustained speeds at higher levels, but the farmer usually cannot take advantage of this with conventional disc harrows because at higher speeds, the soil is thrown to the side a much further distance, and this increases the drag caused by the attachment. Further, at higher seeds the soil pulverization increases, and this is not desirable for primary tillage operations particularly in the fall. For example, the large slabs and clods created by a moldboard plow in the fall produce a soft and mellow soil in the spring after winter's freezing and thawing. If the soil were highly pulverized in the fall, the ground would become compact and hard over the winter with little or no capacity for absorbing and retaining water. Disc harrows are also prone to "plugging"--that is, because of the close spacing of individual discs, an accumulation of crop residue such as corn stalks will become lodged between the disc, thereby greatly reducing their ability to work the soil. This characteristic is aggravated if the stalks are frozen or the gound is muddy. Another operational disadvantage of these systems is that whereas the first gang of discs will roll the top soil to cover the trash, the second gang, because it does substantially the same work, also rolls the soil and has a tendency to uncover trash that has been buried by the forward gang. A loss of efficiency occurs when trash is buried and then uncovered; and this also reduces the farmer's ability to determine the amount of trash that will ultimately remain buried. There is a type of disc implement which is used for primary or secondary tillage. These are sometimes referred to as disc tillers or "one-ways" because they comprise a gang of sherical blades all facing the same direction, such as to the right. Hence, they normally throw the soil one-way and therefore require continuous plowing in the same direction, like a moldboard plow. One-ways are efficient tools in terms of horsepower-hours per acre for working large acreages, but they are known to be difficult to adjust because they operate at a substantially greater angle than disc tillers--usually about 45.degree.--and thereby create a substantial side draft which may upset any adjustment as soil conditions vary. For this reason, heavy tandem and offset disc harrows are sometimes used instead. Working depth of disc tillers may be varied from 3-8 inches, depending upon the size of the blade and the spacing, soil conditions and weight. Because there in only a single working of the soil at a relatively low speed, relatively deep furrows are left after the soil is worked.
null
minipile
NaturalLanguage
mit
null
Psychonauts Psychonauts is a platforming game developed by Double Fine Productions that first released in 2005. The game was initially published by Majesco Entertainment for Microsoft Windows, Xbox and PlayStation 2; Budcat Creations helped with the PlayStation 2 port. In 2011, Double Fine acquired the rights for the title, allowing the company to republish the title with updates for modern gaming systems and ports for OS X and Linux. Psychonauts follows the player-character Raz (voiced by Richard Horvitz), a young boy gifted with psychic abilities who runs away from the circus to try to sneak into a summer camp for those with similar powers to become a "Psychonaut", a spy with psychic abilities. He finds that there is a sinister plot occurring at the camp that only he can stop. The game is centered on exploring the strange and imaginative minds of various characters that Raz encounters as a Psychonaut-in-training/"Psycadet" to help them overcome their fears or memories of their past, so as to gain their help and progress in the game. Raz gains use of several psychic abilities during the game that are used for both attacking foes and solving puzzles. Psychonauts was based on an abandoned concept that Schafer had during the development of Full Throttle, which he expanded out into a full game through his then new company Double Fine. The game was initially backed by Microsoft's Ed Fries as a premiere title for the original Xbox console, but several internal and external issues led to difficulties for Double Fine in meeting various milestones and responding to testing feedback. Following Fries' departure in 2004, Microsoft dropped the publishing rights, making the game's future unclear. Double Fine was able to secure Majesco as a publisher a few months later allowing them to complete the game after four and a half years of development. Despite being well received, Psychonauts did not sell well with only about 100,000 retail units sold at the time of release, leading to severe financial loss for Majesco and their departure from the video game market; the title was considered a commercial failure. Psychonauts since has earned a number of industry awards and gained a cult following. Following the acquisition of the game, Double Fine's republishing capabilities and support for modern platforms has allowed them to offer the game through digital distribution, and the company has reported that their own sales of the game have far exceeded what was initially sold on its original release, with cumulative sales of nearly 1.7 million . A sequel, Psychonauts 2, was announced at The Game Awards in December 2015 and is planned for a 2020 release. Gameplay Psychonauts is a platform game that incorporates various adventure elements. The player controls the main character Raz in a third-person, three-dimensional view, helping Raz to undercover a mystery at the Psychonauts training camp. Raz begins with basic movement abilities such as running and jumping, but as the game progresses, Raz gains additional psychic powers such as telekinesis, levitation, invisibility, and pyrokinesis. These abilities allow the player to explore more of the camp as well as fight off enemies. These powers can either be awarded by completing certain story missions, gaining psi ranks during the game, or by purchasing them with hidden arrowheads scattered around the camp. Powers can be improved — such as more damaging pyrokinesis or longer periods of invisibility — through gaining additional psi ranks. The player can assign three of these powers to their controller or keyboard for quick use, but all earned powers are available at any time through a selection screen. The game includes both the "real world" of the camp and its surroundings, as well as a number of "mental worlds" which exist in the consciousness of the game's various characters. The mental worlds have wildly differing art and level design aesthetics, but generally have a specific goal that Raz must complete to help resolve a psychological issue a character may have, allowing the game's plot to progress. Within the mental worlds are censors that react negatively to Raz's presence and will attack him. There are also various collectibles within the mental worlds, including "figments" of the character's imagination which help increase Raz's psi ranking, "emotional baggage" which can be sorted by finding tags and bringing them to the baggage, and "memory vaults" which can unlock a short series of slides providing extra information on that character's backstory. Most of these worlds culminate in a boss battle that fully resolves the character's emotional distress and advance the story. The player is able to revisit any of these worlds after completing them to locate any additional collectibles they may have missed. Raz is given some items early in the game, one that allows him to leave any mental world at any time, and another that can provide hints about what to do next or how to defeat certain enemies. Raz can take damage from psychically empowered creatures around the camp at night, or by censors in the mental worlds; due to a curse placed on his family, Raz is also vulnerable to water. If Raz's health is drained, he is respawned at the most-recent checkpoint. However, this can only be done so many times while Raz is within a mental world, indicated by the number of remaining astral projections; if these are expended through respawning, Raz is ejected from the character's mind and must re-enter to make another attempt. Health and additional projections can be collected throughout the levels, or purchased at the camp store. Plot Setting The story is set in fictional Whispering Rock Psychic Summer Camp, a remote US government training facility under the guise of a children's summer camp. Centuries ago the area was hit by a meteor made of psitanium (a fictional element that can grant psychic powers or strengthen existing powers), creating a huge crater. The psitanium affected the local wildlife, giving them limited psychic powers, such as bears with the ability to attack with telekinetic claws and cougars with pyrokinesis. The Native Americans of the area called psitanium "whispering rock", which they used to build arrowheads. When settlers began inhabiting the region, the psychoactive properties of the meteor slowly drove them insane. An asylum was built to house the afflicted, but within fifteen years, the asylum had more residents than the town did and the founder committed suicide by throwing himself from the asylum's tower. The government relocated the remaining inhabitants and flooded the crater to prevent further settlement, creating what is now Lake Oblongata. The asylum still stands, but has fallen into disrepair. The government took advantage of the psitanium deposit to set up a training camp for Psychonauts, a group of agents gifted with psychic abilities by the psitanium used to help defeat evil-doers. The training ground is disguised as a summer camp for young children, but in reality helps the children to hone their abilities and to train them to be Psychonauts themselves. Due to this, only those recruited by the Psychonauts are allowed into the camp. Characters The protagonist and playable character of the game is Razputin "Raz" Aquato, the son of a family of circus performers, who runs away from the circus to become a Psychonaut, despite his father's wishes. His family is cursed to die in water, and a large hand attempts to submerge Raz whenever he approaches any significantly deep water. When at camp, Raz meets four of the Psychonauts that run the camp: the cool and calculating Sasha Nein (voice actor Stephen Stanton), the fun-loving Milla Vodello, the regimental Agent/Coach Morceau Oleander (voice actor Nick Jameson), and the aged, Mark Twainesque Ford Cruller, said by Raz to have been the greatest leader the Psychonauts ever had, until a past psychic duel shattered Ford's psyche and left him with dissociative identity disorder, also known as a split personality. Only when he is near the large concentration of Psitanium does his psyche come together enough to form his real personality. During his time at camp, Raz meets several of the other gifted children including Lili Zanotto, the daughter of the Grand Head of the Psychonauts, with whom he falls in love; and Dogen Boole, a boy who goes around with a tin foil hat to prevent his abilities from causing anyone's head to explode. Raz also meets ex-residents of the insane asylum including ex-dentist Dr. Loboto; as well as Boyd Cooper, a former milkman that holds a number of government conspiracy theories; Fred Bonaparte, an asylum inmate being possessed by the ghost of his ancestor, Napoleon Bonaparte, Gloria Van Gouten, a former actress driven insane by a family tragedy, Edgar Teglee, a painter whose girlfriend cheated on him, and Linda, the gigantic lung fish that protects the asylum from campgoers. Story Raz, having fled from the circus, tries to sneak into the camp, but is caught by the Psychonauts. They agree to let him stay until his parents arrive, but refuse to let him take part in any activities. However, they do allow him to take part in Coach Oleander's "Basic Braining" course, which he easily passes. Impressed, Sasha invites Raz to take part in an experiment to determine the extent of his abilities. During the experiment, Raz comes across a vision of Dr. Loboto extracting Dogen's brain, but is unable to intervene. Raz eventually realizes that the vision is true after finding Dogen without a brain, but the Psychonauts refuse to believe him. After receiving additional training from Milla, Raz learns that Dr. Loboto is working on behalf of Coach Oleander, who intends to harvest the campers' brains to power an army of psychic death tanks. Lili is soon abducted as well, and with both Sasha and Milla missing, Raz takes it upon himself to infiltrate the abandoned insane asylum where she was taken. Ford gives him a piece of bacon which he can use to contact Ford at any time, and tasks him with retrieving the stolen brains so that he can return them to the campers. Raz frees the mutated lungfish Linda from Oleander's control, and she takes him safely across the lake. At the asylum, Raz helps the inmates overcome their illnesses, and they help him access the upper levels of the asylum, where Loboto has set up his lab. He frees Lili and restores Sasha and Milla's minds, allowing them to confront Oleander. The inmates subsequently burn down the asylum, allowing Oleander to transfer his brain to a giant tank. Raz defeats him, but when he approaches the tank, it releases a cloud of sneezing powder, causing him to sneeze his brain out. Raz uses his telekinesis to place his brain inside the tank, merging it with Oleander's. Inside, Raz discovers that Oleander's evil springs from his childhood fear of his father, who ran a butcher shop, being amplified by the psitanium. At the same time, Raz's own father appears and the two dads join forces. However, he turns out to be an imposter, with Raz's real father appearing and using his own psychic abilities to fix his son's tangled mind and beat the personal demons. At the camp's closing ceremony, Ford presents him with a uniform and welcomes him into the Psychonauts. Raz prepares to leave camp with his father, but word arrives that the Grand Head of the Psychonauts—Lili's father, Truman Zanotto—has been kidnapped. Thus Raz and the Psychonauts fly off on their new mission. Development Psychonauts was the debut title for Double Fine Productions, a development studio that Tim Schafer founded after leaving LucasArts following their decision to exit the point-and-click adventure game market. Schafer's initial studio hires included several others that worked alongside him on Grim Fandango. The backstory for Psychonauts was originally conceived during the development of Full Throttle, where Tim Schafer envisioned a sequence where the protagonist Ben goes under a peyote-induced psychedelic experience. While this was eventually ejected from the original game (for not being family friendly enough), Schafer kept the idea and eventually developed it into Psychonauts. While still working at LucasArts, Tim Schafer decided to use the name "Raz" for a main character because he liked the nickname of the LucasArts animator, Razmig "Raz" Mavlian. When Mavlian joined Double Fine, there was increased confusion between the character and the animator. The game's associate producer, Camilla Fossen, suggested the name "Rasputin". As a compromise, Double Fine's lawyer suggested the trademarkable name "Razputin", which was used for the game. Most of the game's dialog and script was written by Schafer and Erik Wolpaw, who at the time was a columnist for the website Old Man Murray. After establishing the game's main characters, Schafer undertook his own exercise to write out how the characters would see themselves and the other characters' on a social media site similar to Friendster, which Schafer was a fan of at the time and from where he met his wife-to-be. This helped him to solidify the characters in his own head prior to writing the game's dialog, as well as providing a means of introducing the characters to the rest of the development team. To help flesh out character dialog outside of cut scenes, Schafer developed an approach that used dozens of spoken lines by a character that could be stitched together in a random manner by the game as to reduce apparent repetition; such stitching included elements like vocal pauses and coughs that made the dialog sound more natural. Schafer used the camp and woods setting as a natural place that children would want to wander and explore. The game's mental worlds were generally a result of an idea presented by Schafer to the team, flesh out through concept art and gameplay concepts around the idea, and then executed into the game with the asset and gameplay developers, so each world had its own unique identity. One of the game's most famous levels is "The Milkman Conspiracy", which takes place in the mind of Boyd, one of the patients at the mental hospital who is obsessed with conspiracy theories. Schafer had been interested in knowing what went on inside the minds of those that believed in conspiracy theories, inspired by watching Capricorn One as a child. During a Double Fine dinner event, someone had uttered the line "I am the milkman, my milk is delicious.", which led Schafer to create the idea of Boyd, a milkman bent on conspiracy theories. Schafer then worked out a web of conspiracy theories, wanting the level to be a maze-like structure around those, tying that in to Boyd's backstory as a person who had been fired from many different jobs, partially inspired by a homeless person that Double Fine occasionally paid to help clean their office front. Schaefer had wanted the 1950s suburban vibe to the level as it would fit in with the spy theme from the same period. Artist Scott Campbell fleshed out these ideas, along with the featureless G-men modeled after the Spy vs. Spy characters. Peter Chan came up with the idea of vaulting the suburban setting into vertical spaces as to create a maze-like effect, which inspired the level designers and gameplay developers to create a level where the local gravity would change for Raz, thus allowing him to move across the warped setting that was created. The level's unique gameplay aspect, where Raz would need to give specific G-men a proper object as in point-and-click adventure games, was from gameplay developer Erik Robson as a means to take advantage of the inventory feature that they had given Raz. Schafer had wanted Wolpaw to write the lines for the G-men, but as he was too busy, Schafer ended up writing these himself. The art design crew included background artist Peter Chan and cartoonist Scott Campbell. Voice actor Richard Steven Horvitz, best known for his portrayal of Zim in the cult favorite animated series Invader Zim, provides the voice of Raz, the game's protagonist. Initially the team tried to bring in children to provide the voices for the main cast, similar to Peanuts cartoons, but struggled with their lack of acting experience. Schafer had selected Horvitz based on his audition tapes and ability to provide a wide range of vocal intonations on the spot, providing them with numerous takes to work with. Raz was originally conceived as an ostrich suffering from mental imbalance and multiple personalities. Tim Schafer killed the idea because he strongly believes in games being "wish fulfillments," guessing that not many people fantasize about being an insane ostrich. Double Fine created a number of internal tools and processes to help with the development of the game, as outlined by executive producer Caroline Esmurdoc. With the focus of the game on Raz as the playable character within a platformer game, the team created the "Raz Action Status Meeting" (RASM). These were held bi-weekly with each meeting focusing on one specific movement or action that Raz had, reviewing how the character controlled and the visual feedback from that so that the overall combination of moves felt appropriate. With extensive use of the Lua scripting language, they created their own internal Lua Debugger nicknamed Dougie, after a homeless man near their offices they had befriended, that helped to normalize their debugging processes and enable third-party tools to interact with the name. With a large number of planned cutscenes, Double Fine took the time to create a cutscene editor so that the scriptwriters could work directly with the models and environments already created by the programmers without requiring the programmer's direct participation. For level design, though they had initially relied on the idea of simply placing various triggers throughout a level to create an event, the resulting Lua code was large and bulky with potential for future error. They assigned eight of the game programmers to assist the level developers to trim this code, and instituted an internal testing department to overlook the stability of the whole game which had grown beyond what they could do internally. Initially this was formed from unpaid volunteers they solicited on Double Fine's web site, but following the signing of the Majesco publication deal in 2004, they were able to commit full-time staff to this team. Development and publishing difficulties Esmurdoc described the development of Psychonauts as difficult due to various setbacks, compounded by the new studio's lack of experience in how to manage those setbacks. The game's initial development began in 2001 during the Dot-com boom. Due to the cost of office space at that time, Double Fine had established an office in an inexpensive warehouse in San Francisco that initially fit their development needs. By 2003, they had come to realize the area they were in was not safe or readily accommodating, slowing down their development. With the collapse of the dot-com bubble, they were able to secure better office space, though this further delayed production. Schafer was also handling many of the duties for both the studio and the development of the game. Though some of the routine business tasks were offloaded to other studio heads, Schafer brought Esmurdoc onto the project in 2004 to help produce the game while he could focus on the creative side. The intent to allow all developers to have artistic freedom with the game created some internal strife in the team, particularly in the level design; they had initially scoped that level designers would create the basic parts of a level - main paths, scripted events, and the level's general design, while the artists would build out the world from that. As development progressed, they determined that the artists should be the ones constructing the level geometry, which the level designers resented. Subsequently, levels that were generated were not to the expected standards due to conflicts in the toolsets they used and Schafer's inability to oversee the process while handling the other duties of the studio. In 2003, the decision was made to dismiss all but one of the level design team, and unify the level design and art into a World Building team overseen by Erik Robson, the remaining level designer and who would go on to become the game's lead designer; the change, which Esmurdoc stated was for the better, disrupted the other departments at Double Fine. Psychonauts was to be published by Microsoft for release exclusively on their Xbox console; Schafer attributes this to Microsoft's Ed Fries, who at the time of Psychonautss initial development in 2001, was looking to develop a portfolio of games for the new console system. Schafer believes that Fries was a proponent of "pushing games as art", which helped to solidify Double Fine's concept of Psychonauts as an appropriate title for the console after the team's collected experience of developing for personal computers. However, according to Esmurdoc, Microsoft had also created some milestones that were unclear or difficult to meet, which delayed the development process. She also believes that their own lack of a clear vision of the ultimate product made it difficult to solidify a development and release schedule for the game as well as created confusion with the publisher. Schafer stated that Microsoft also found some of their gameplay decisions to be confusing based on play-testing and requested them to include more instructional information, a common approach for games during the early 2000s, while Schafer and his team felt such confusion was simply the nature of the adventure-based platform that they were developing. Double Fine was also resistant to make changes that Microsoft had suggested from play-testing, such as making the humor secondary to the story, removing the summer camp theme, and drastically altering the story. Fries departed Microsoft in January 2004; shortly thereafter, the company soon pulled the publishing deal for Psychonauts. Esmurdoc said that Microsoft's management considered Double Fine to be "expensive and late", which she agreed had been true but did not reflect on the progress they had been making at this point. Schafer also noted that at the time of Microsoft's cancellation that they were planning on transitioning to the Xbox 360 and were not funding any further development of games that would not be released after 2004; even though Schafer had set an approximate release date in the first quarter of 2005 by this point, Microsoft still opted to cancel. Following this, Schafer and Esmurdoc worked to secure a new publishing deal while using internal funds and careful management to keep the project going. One source of funds that helped keep the company operational came from Will Wright, who had recently sold his company Maxis to Electronic Arts. Prevented from investing into Double Fine by the Maxis deal, he instead provided Double Fine a loan of funds that kept them afloat over the next several months. Wright is credited for this support within the game. By August 2004, Double Fine had negotiated a new publishing deal with Majesco Entertainment to release the game on Windows as well as the Xbox. Tim Schafer was quoted as saying "Together we are going to make what could conservatively be called the greatest game of all time ever, and I think that's awesome." Though the publishing deal ensured they would be able to continue the development, Esmurdoc stated they had to forgo plans for hiring new developers to meet the scope of the game as agreed to with Majesco. Subsequently, the studio entered, as described by Esmurdoc, "the most insane crunch I have ever witnessed" in order to complete the game. This was compounded when Majesco announced a PlayStation 2 port to be developed by Budcat Creations in October 2004, which further stretched the availability of Double Fine's staff resources. The game went gold in March 2005; Esmurdoc attributes much of the success of this on the solidarity of the development team that kept working towards this point. Esmurdoc stated that Psychonauts took about 4.5 years to complete — though that without all the complications the real development time was closer to 2 years — with a team of 42 full-time developers and additional contractors, with a final budget of $11.5 million. Music The soundtrack to Psychonauts was composed by Peter McConnell, known for his work on LucasArts titles such as Grim Fandango and Day of the Tentacle. Schafer's familiarity with McConnell, having worked with him on numerous projects in the past, led Schafer to select him for the soundtrack composition. The Psychonauts Original Soundtrack, featuring all the in-game music, was released in 2005. The following year, in late 2006, Double Fine released a second soundtrack, Psychonauts Original Cinematic Score, containing music from the game's cutscenes as well as a remix of the main theme and credits. Release history The final U.S. release date for the game on Xbox and Windows was April 19, 2005, with the PlayStation 2 port following on June 21, 2005. Psychonauts was re-released via Valve's Steam digital distribution platform on October 11, 2006. Acquisition of rights In June 2011, the original publishing deal with Majesco expired, and full publication rights for the game reverted to Double Fine. In September 2011, Double Fine released an updated version for Microsoft Windows and a port to Mac OS X and Linux through Steam. The new version provided support for Steam features including achievements and cloud saving. The Mac OS X port was developed in partnership with Steven Dengler's Dracogen. In conjunction with this release, an iOS application, Psychonauts Vault Viewer!, was released at the same time, featuring the memory vaults from the game with commentary by Tim Schafer and Scott Campbell. With control of the game's rights, Double Fine was able to offer Psychonauts as part of a Humble Bundle in June 2012. As a result, the game sold well, with Schafer stating that they sold more copies of Psychonauts in the first few hours of the Bundle's start than they had since the release of the retail copy of the game. Later in 2012, Schafer commented that their ability to use digital venues such as Steam that "[Double Fine] made more on Psychonauts this year than we ever have before". Although initially unplayable on the Xbox 360, Tim Schafer spearheaded a successful e-mail campaign by fans which led to Psychonauts being added to the Xbox 360 backwards compatible list on December 12, 2006, and on December 4, 2007, Microsoft made Psychonauts one of the initial launch titles made available for direct download on the Xbox 360 through their Xbox Originals program. When Majesco's rights expired, the game was temporarily removed from the service in August 2011, as Microsoft does not allow unpublished content on its Xbox Live Marketplace. Schafer worked with Microsoft to gain their help in publishing the title under the Microsoft Studios name, and the game returned to the Marketplace in February 2012. The game was added to the PlayStation Network store as a "PS2 Classic" for the PlayStation 3 in August 2012. As part of a deal with Nordic Games, who gained the rights to Costume Quest and Stacking after THQ's bankruptcy, Double Fine took over publishing rights for both games, while Nordic published and distribute retail copies of all three games for Windows and Mac OS X systems. In 2016, Double Fine also released Psychonauts as a classic title for use with the PlayStation 4's emulation software. Reception Psychonauts received positive reception, according to review aggregator Metacritic. Schafer and Wolpaw's comedic writing was highly praised, as well as the uniqueness and quirks that the individual characters were given. Alex Navarro of GameSpot commented favorably on the "bizarre" cast of characters, their conversations that the player can overhear while exploring the camp, and how these conversations will change as the story progresses, eliminating repetition that is typical of such non-player characters in platform games. Tom Bramwell of Eurogamer found that he was incentivized to go back and explore or experiment in the game's level to find more of the comedic dialog that others had observed. The game was also noted for its innovations, such as the use of a second-person perspective during a boss battle. The game's art and level design (in particular, the designs of the various mental worlds that Raz visits) were well-received Jason Hill of the Sydney Morning Herald stated that each of the dream worlds "is a memorable journey through the bizarre inner psyche" of the associated character. Two particular levels have been considered iconic of the game's humor and style: the aforementioned Milkman Conspiracy, and Lungfishopolis, where Raz enters the mind of a lungfish monster that lives near camp; in the lungfish's mind Raz is portrayed as a giant monster akin to Godzilla that is attacking the tiny lungfish citizens of Lungfishopolis, effectively creating an absurd role reversal of the typical giant monster formula. The overall game structure has been a point of criticism. Some reviewers identified that the first several hours of the game are focused on tutorials and instruction, and are less interesting than the later mental worlds. The game's final level, the "Meat Circus", was also considered unexpectedly difficult when compared to earlier sections of the game, featuring a time limit and many obstacles that required an unusual level of precision. On its re-release in 2011, Double Fine adjusted the difficulty of this level to address these complaints. Some found that the game's humor started to wane or become predictable in the latter part of the game. GamingOnLinux reviewer Hamish Paul Wilson gave the game 8/10, praising the game's creativity and presentation, but also criticizing several other areas of the game, including the large number of unaddressed bugs. Wilson concluded that "Psychonauts has to be viewed as a flawed masterpiece". In 2010, the game was included as one of the titles in the book 1001 Video Games You Must Play Before You Die. Awards E3 2005 Game Critics Awards: Best Original Game British Academy Video Games Awards 2006: Best Screenplay The editors of Computer Games Magazine presented Psychonauts with their 2005 awards for "Best Art Direction" and "Best Writing", and named it the year's tenth-best computer game. They called the game "a wonderfully weird journey high on atmosphere, art direction, and creativity." Psychonauts won PC Gamer USs 2005 "Best Game You Didn't Play" award. The editors wrote, "Okay, look, we gave it an Editors' Choice award — that's your cue to run out right now and buy Tim Schafer's magnificent action/adventure game. So far, only about 12,000 PC gamers have." It was also a nominee for the magazine's "Game of the Year 2005" award, which ultimately went to Battlefield 2. Psychonauts also won the award for Best Writing at the 6th Annual Game Developers Choice Awards. Sales Despite Psychonauts earning high critical praise and a number of awards, it was a commercial failure upon its initial release. Although the game was first cited as the primary contributing factor to a strong quarter immediately following its launch, a month later Majesco revised their fiscal year projections from a net profit of $18 million to a net loss of $18 million, and at the same time its CEO, Carl Yankowski, announced his immediate resignation. By the end of the year, the title had shipped fewer than 100,000 copies in North America, and Majesco announced its plans to withdraw from the "big budget console game marketplace". Schafer stated that by March 2012 the retail version Psychonauts had sold 400,000 copies. Following Double Fine's acquisition of the rights, they were able to offer the game on more digital storefronts and expand to other platforms; as previously described, this allowed the company to achieve sales in a short term far in excess of what they had been prior to obtaining the rights. In August 2015, Steam Spy estimates approximately 1,157,000 owners of the game on the digital distributor Steam alone. In the announcement for Psychonauts 2 in December 2015, Schafer indicated that Psychonauts sold nearly 1.7 million copies, with more than 1.2 million occurring after Double Fine's acquisition of the rights. Double Fine lists 736,119 sold copies via the Humble Bundle (including a Steam key), 430,141 copies via the Steam storefront, 32,000 gog.com copies, and 23,368 Humble Store copies. Legacy Sequels A sequel to Psychonauts has been of great detail of interest to Schafer, as well as to fans of the game and the gaming press. Schafer had pitched the idea to publishers but most felt the game too strange to take up. During the Kickstarter campaign for Double Fine's Broken Age in February 2012, Schafer commented on the development costs of a sequel over social media, leading to a potential interest in backing by Markus Persson, at the time the owner of Mojang. Though Persson ultimately did not fund this, interactions between him and Double Fine revealed the possibility of several interested investors to help. In mid-2015, Schafer along with other industry leaders launched Fig, a crowd-sourced platform for video games that included the option for accredited investors to invest in the offered campaigns. Later, at the 2015 Game Awards in December, Schafer announced their plans to work on Psychonauts 2, using Fig to raise the $3.3 million needed to complete the game, with an anticipated release in 2018. The campaign succeeded on January 6, 2016. The sequel will see the return of Richard Horvitz and Nikki Rapp as the voices of Raz and Lili respectively, along with Wolpaw for writing, Chan and Campbell for art, and McConnell for music. Additionally, Double Fine has developed a VR title called Psychonauts in the Rhombus of Ruin for use on Oculus Rift, HTC Vive, and PlayStation VR. Released in 2017, it serves as a standalone chapter to tie the original game and its sequel, based on Raz and the other Psychonauts rescuing Truman Zanotto. Appearance in other media The character Raz has made appearances in other Double Fine games, including as a massive Mount Rushmore-like mountain sculpture in Brütal Legend, and on a cardboard cutout within Costume Quest 2. Raz also appeared in a downloadable content package as a playable character for Bit.Trip Presents... Runner2: Future Legend of Rhythm Alien. References External links Category:2005 video games Category:3D platform games Category:Double Fine Productions Category:Fictional representations of Romani people Category:Linux games Category:Lua-scripted video games Category:MacOS games Category:Majesco Entertainment games Category:PlayStation 2 games Category:THQ games Category:Video games developed in the United States Category:Video games scored by Peter McConnell Category:Video games set in psychiatric hospitals Category:Windows games Category:Xbox games Category:Xbox Originals games
null
minipile
NaturalLanguage
mit
null
Useful organic polymers, such as polyethylenes, polyesters and polymethacrylates are not capable of intrinsically conducting electricity. Electrical conductivity in these instances is achieved by either coating the polymer with an intrinsically conductive material, e.g. a metal film or powdered graphite, or by incorporating a powdered metal or graphite as an admixture of composite, e.g. suspending a sufficient quantity of powdered graphite in the monomer vehicle prior to polymerization. In these instances, the conductivity depends on the mechanical connections of contiguous, conductive particles in numerous pathways or in the continuity of a conductive film. In these types of admixtures, the electricity is conveyed by movement of electrons in or on the surface of the conductive particles or films, and not in the polymer. Later, synthetic compounds were developed which mimicked the molecular orbital structures of graphtiic materials. An example of such a polymer is the polytetracyanoethylenes. Conduction in these graphitic-like structures depends on electron movement through the overlapping "pi" molecular orbitals. In all of these synthetic compounds which mimic the molecular orbital structures of the graphitic materials, electrical conduction is by electron movement within the material. The polymer of the present invention entails a polymer that does not conduct electricity by means of electron movement, but by ion transport as opposed to the polymers of the prior art.
null
minipile
NaturalLanguage
mit
null
Andrei Alexandrescu presents "Systematic Error Handling in C++". This was filmed at C++ and Beyond 2012 Abstract: Writing code that is resilient upon errors (API failures, exceptions, invalid memory access, and more) has always been a pain point in all languages. This being still largely an unsolved (and actually rather loosely-defined) problem, C++11 makes no claim of having solved it. However, C++11 is a more expressive language, and as always more expressive features can be put to good use toward devising better error-safe idioms and libraries. This talk is a thorough visit through error resilience and how to achieve it in C++11. After a working definition, we go through a number of approaches and techniques, starting from the simplest and going all the way to file systems, storage with different performance and error profiles (think HDD vs. RAID vs. Flash vs. NAS), and more. As always, scaling up from in-process to inter-process to cross-machine to cross-datacenter entails different notions of correctness and resilience and different ways of achieving such. To quote a classic, "one more thing"! An old acquaintance—ScopeGuard—will be present, with the note that ScopeGuard11 is much better (and much faster) than its former self. Tune in. Learn. Thanks to Andrei, Herb and Scott for inviting C9 to film these wonderful sessions, rife with practical technical information for modern, professional C++ developers. Get the slides.
null
minipile
NaturalLanguage
mit
null
CNU tuition covers more than state funds Board of Visitors approves $117.4 million budget June 11, 2010|By Cathy Grimes, [email protected] | 247-4758 NEWPORT NEWS — — For the first time in Christopher Newport University's history, tuition will cover more expenses than state funds. About $26.9 million, or 22.9 percent, of the $117.4 million budget approved by the Board of Visitors Friday comes from the state general fund, while CNU will net $27.3 million, or 23.2 percent, from tuition. "We're generating more money than the state provides," President Paul Trible said during a finance committee meeting before the budget was approved. "That's never happened before, and it's a disturbing trend," University Chief of Staff Cynthia Perry said. The budget is about $5 million larger than this year's spending plan, and includes $3.5 million in federal stimulus money, which will disappear in 2012. All of the stimulus money is being used for instructional programs. Perry said the university built several reserve funds totaling about $4.7 million into the budget to prepay expenses in 2012 in anticipation of a $6.2 million cut in state funding and federal dollars. The budget also includes $2.4 million in a capital reserve fund to help pay for facilities renovations and expansions on campus. The capital reserve funds come from student comprehensive fees. The budget is based on 243 faculty members and an expected enrollment of 4,983 students. University officials want to add 32 more faculty positions, but will not expand this year. Salaries are frozen for a third year, but the budget includes the university's share of a proposed 3 percent bonus if state revenues are high enough to offer one. "We're short staffed in every function on the campus," Trible said. "We'll have markedly fewer employees next year. But the budget includes a few new positions. CNU will expand admissions efforts to attract out-of-state students, adding a new position and four alumni "fellows" to the admissions department to beef up recruitment efforts. CNU officials also want to improve the school's student retention and graduation rates. Two new positions were added to focus on helping at-risk students, and the university will hire four recent graduates in "fellowship" roles to work with students. CNU also is adding staff to improve security in its computer center. Outgoing Rector Jay Joseph called the budget "reasonable and defensive," as the university prepares for a grimmer budget outlook in 2012. For more education news, follow Cathy Grimes on Twitter: twitter.com/cathgrimes.
null
minipile
NaturalLanguage
mit
null
[Antihypertensive pharmacotherapy of patients in primary care with either a statutory or private health insurance]. In Germany, hypertension has a prevalence of about 20%. Cardiovascular morbidity and mortality are closely associated with hypertension. Therefore, antihypertensive medical treatment is of crucial importance. Currently, five groups of drugs for the medical treatment of hypertension are available: diuretics, beta-receptor blockers, calcium antagonists, angiotensin-converting enzyme (ACE) inhibitors, and angiotensin II receptor blockers. Besides medical considerations for the treatment of hypertension costs of treatment and other economic aspects become more and more important. Within this article, the antihypertensive treatment of insurants of the statutory health insurance and the private health insurance is compared with regard to the medical treatment and associated costs. The analyzed data derive from the general practice morbidity research network CONTENT (CONTinuous morbidity registration Epidemiologic NeTwork). The implementation of this network is funded by the German Federal Ministry of Research and Education (BMBF) for a continuous registration of health-care utilization, morbidity, course of disease, and outcome parameters within primary care. Altogether 4,842 patients from the participating general practitioners were regularly treated with antihypertensive drugs in 2007 and corresponding episodes were documented within electronic medical records. The proportion of insurants of the private health insurance was 7.6%. The costs of the antihypertensive medical treatment within the total sample in 2007 constituted 1.03 million Euros overall and per patient on average 212.82 Euros. Although the regarded sample of private health insurants was less morbid and the sum of defined daily doses (DDDs) within the observation period was notably lower (582.6 vs. 703.1; p < 0.0001), the annual therapy costs of the private health insurants compared to the statutory health insurants were 35.2% higher (280.29 Euros vs. 207.29 Euros; p < 0.0001). Hence, costs per DDD for antihypertensive medical treatment for private health insurants were 63.2% higher than for statutory health insurants. This refers to the great proportion of angiotensin II receptor blockers as well as the low proportion of generic drugs prescribed for private health insurants. Antihypertensive treatment with original drugs and/or angiotensin II receptor blockers is an expensive option. Based on the actual state of knowledge it must be questioned critically whether this constitutes a superior treatment option concerning the potential for lowering high blood pressure levels and organ protection.
null
minipile
NaturalLanguage
mit
null
222 Ga. 86 (1966) 149 S.E.2d 148 EPPES, Executrix, et al. v. LOCKLIN, Executor, et al. 23427. Supreme Court of Georgia. Argued April 11, 1966. Decided April 19, 1966. *88 Rupert A. Brown, for appellant. Joseph J. Gaines, Erwin, Birchmore & Epting, Robert E. Gibson, Nicholas P. Chilivis, for appellees. DUCKWORTH, Chief Justice. As counsel for the appellant states, this case turns upon the words, "George S. and Mrs. Mamie D. Crane," as used in Item 12 of the will, as to whether the bequest therein was to the two individuals in equal amounts or whether it was to them jointly, the survivor taking all. As we frequently find, we must decide a question not heretofore decided by this court. Appellees lay much stress upon tenancy in common (Code § 85-1001) and the abolition of joint tenancy by Code § 85-1002. They cite and rely heavily upon Snellings v. Downer, 193 Ga. 340 (18 SE2d 531), to support their argument that the above language of the will created a tenancy in common. We note the portion of that opinion which, after strong statements that tend to support appellees, says: "If no contrary intention appears from the context or other parts of the instrument." We will specify "other parts" of the will that we think show a contrary intention. In Item 15, the will gives the property bequeathed to George S. and Mamie D. Crane for life to "the Lanier Home" in remainder "at their deaths." This could only mean the death of both, and only one is not enough. Also Item 12 A states that the property therein has at that date a mortgage of a little less than $4,000 on it "which they will have to continue to pay off." This language could only mean that both or either of them were obligated to pay off this mortgage. In view of the fact that Mamie D. Crane predeceased the testatrix, as to her, this item bequeathed nothing. Lawson v. Hurt, 217 Ga. 827 (125 SE2d 480). Therefore, neither she nor her heirs had any obligation to pay this mortgage since they could not receive the property, not being legatees, but George S. Crane, who survived the testatrix, and was undeniably a legatee to receive the property, had this debt to pay. If he had the duty to discharge the lien on the property, by the same token, he took the entire property when thus freed from the lien. The light thus thrown upon the intention by these parts of the will require that they be considered for this purpose. Stiles v. Cummings, 122 Ga. 635 (50 SE 484); Snellings v. Downer, 193 Ga. 340, supra. *89 Should it be held that half of the property bequeathed by Item 12 A was to go to Mamie D. Crane, since she did not survive the testatrix, and since the will makes no further disposition of that property, as to it, an intestacy exists. Unless a reasonable construction of the will shows plainly no other intent, courts should not by construction allow an intestacy. By the very act of executing a will the testatrix manifests an intention that no intestacy exist. Johnson v. Johnson, 213 Ga. 466 (99 SE2d 827); McKain v. Allen, 214 Ga. 820 (108 SE2d 319). With this rule in mind, courts must scrutinize the entire will to discover evidences that the testatrix disposed of her entire property by the will, avoiding an intestacy. That evidence seems conclusive when the will employed the exact words "George S. and Mrs. Mamie D. Crane" as used in Item 12 A, in Item 12 B, and again in Item 15 in reference to Item 12 B by saying the remainder would go to the Lanier Home "at their deaths." Is it reasonable to say the testatrix was just half-way interested in her friends, George S. and Mamie D. Crane? That if one should die, she did not intend for the survivor to enjoy the full property in common that such survivor should thereupon own the property in common with unknown persons, in which event a partitioning would be in order, and the property could no longer be held and enjoyed? We think it unreasonable to attribute to the testatrix such intention. When she expressly provides that as to the property in Item 12 B, "their deaths" is the condition precedent to the taking of the remainder, she is clearly protecting each in the full enjoyment of the property until the deaths of both. In requiring by Item 12 A that the mortgage was something that "they will have to continue to pay off," she imposed a class obligation, thus clearly indicating an intention to bequeath to a class. By the term "George S. and Mamie D." She was describing those who could come in the class, "Crane." We are indebted to counsel for appellant for citing us to the case of Chase v. Peckham, 17 R. I. 385 (22 A. 285). In that case the remainder estate was given to "all my nephews," naming them, share and share alike, but requiring them to pay out of the same, all debts. It was held that since the burden of paying was joint, the gift was also joint; and therefore the nephews took as a class, and *90 consequently there was no lapse as to the share of one who predeceased the testator. There can be no questioning of the statement that when a member of a class predeceases the testator, the bequest does not lapse and no intestacy is thus created because the surviving members of the class take the whole property. Davie v. Wynn, 80 Ga. 673 (6 SE 183); Tolbert v. Burns, 82 Ga. 213 (8 SE 79). Our examination of the entire will as above indicated convinces us that the testatrix intended by Item 12 A to give the property therein to Mr. and Mrs. Crane as a class, and that upon the death of Mrs. Crane before the testatrix, the entire property went to George S. Crane as the sole survivor of the class. The portion of the decree holding the contrary to this ruling is reversed. 2. What has just been ruled as to Item 12 A as to the meaning of "George S. and Mrs. Mamie D. Crane" as therein employed, applies to Item 12 B, where it is again employed. Consequently, the entire life estate thereby created continued until the death of George S. Crane, and his executrix and sole beneficiary under his will, the appellant herein, is entitled to the entire income from the property until the death of George S. Crane, and it was error to allow her only one-half of such income. 3. We find nothing in the will which impliedly gave any furniture and fixtures to George S. and Mrs. Mamie D. Crane; consequently, there is no merit in the contention that the court erred in not awarding same to the appellant. Judgment reversed in part; affirmed in part. All the Justices concur.
null
minipile
NaturalLanguage
mit
null
+ 5561? 47ac In base 12, what is -4 - 38824? -38828 In base 8, what is -3740 - -2544242? 2540302 In base 15, what is -b - 447ab97? -447aba3 In base 16, what is a5bc366 - 1? a5bc365 In base 12, what is 105b1a1 - 5? 105b198 In base 5, what is -42330134 - -123? -42330011 In base 3, what is 121120221120101 + -11? 121120221120020 In base 6, what is -1042123 - -2004? -1040115 In base 12, what is -530a2b + 10? -530a1b In base 11, what is -4430 - 307? -4737 In base 12, what is -320 + -4680? -49a0 In base 13, what is 15c2926 - -1? 15c2927 In base 9, what is -154258 + -21? -154280 In base 4, what is -11102201002001 - -11? -11102201001330 In base 4, what is 1003201013 - 11031? 1003123322 In base 5, what is -2013414240013 + 1? -2013414240012 In base 15, what is 5 - 418d9? -418d4 In base 6, what is -15451220 + -214? -15451434 In base 9, what is -35787436 + -4? -35787441 In base 9, what is 10380 - 44270? -33780 In base 12, what is -21 + 284ba? 28499 In base 2, what is -101110010 - -10010101100111011011? 10010101100001101001 In base 9, what is -134 - 11241? -11375 In base 7, what is -3323541256 + 4? -3323541252 In base 3, what is 20012110 + -2210212? 10101121 In base 11, what is -25a676 + 4? -25a672 In base 7, what is 132 + 2621206? 2621341 In base 10, what is -10172 + 11054? 882 In base 10, what is 5030 - 102922? -97892 In base 9, what is -30 - 653153? -653183 In base 6, what is -4331 + 5043? 312 In base 14, what is -2 + 108dd56? 108dd54 In base 6, what is 1411545041 - -15? 1411545100 In base 11, what is -2a6a8 - -77? -2a631 In base 6, what is -42 + -454155? -454241 In base 4, what is -2330 + -23103231? -23112221 In base 10, what is -248205 - -2204? -246001 In base 16, what is -18cb87 + 39? -18cb4e In base 3, what is -22211012102101200 + 0? -22211012102101200 In base 15, what is 129 - -3e0a? 4034 In base 2, what is -1101111110011 - 1001111000? -1111001101011 In base 14, what is -7 - -228ad6? 228acd In base 6, what is 323 - -13423? 14150 In base 15, what is -6352 + -4b3? -6815 In base 3, what is -22020010102 + 2020100? -22010220002 In base 5, what is -30303 + -4201? -40004 In base 11, what is 5174 + 997? 6060 In base 2, what is -10101101100000011 - -1101110000? -10101011110010011 In base 5, what is -121 + -1140430030? -1140430201 In base 5, what is -4 - -444231310? 444231301 In base 13, what is 0 - 94c2542? -94c2542 In base 13, what is 317 + -54911? -545c7 In base 6, what is 55024132 + 400? 55024532 In base 8, what is -3365 + 12727? 7342 In base 3, what is -2220011 + -120121201? -200111212 In base 15, what is -3 + 25409b9? 25409b6 In base 5, what is 1313 - 43301420? -43300102 In base 8, what is 4474444560 + 4? 4474444564 In base 2, what is 11000001 + -111010? 10000111 In base 10, what is 48427 + -1728? 46699 In base 8, what is 1 + -14326416? -14326415 In base 7, what is -413615440 - 5? -413615445 In base 14, what is -5 - 121474c0? -121474c5 In base 6, what is 2403355 - -2? 2403401 In base 9, what is 4865562 + 7? 4865570 In base 2, what is 100000100101 + -1111011101010101? -1110111100110000 In base 15, what is 17 + e715d? e7175 In base 6, what is 121 + 143441415? 143441540 In base 7, what is 4 - -563465232? 563465236 In base 3, what is 12 - -200202021122011? 200202021122100 In base 10, what is 16 - -87289? 87305 In base 16, what is 2cc - -295b? 2c27 In base 12, what is 4561 - 5909? -1368 In base 13, what is bbc + 88b? 177a In base 11, what is -5 - -7a9a051? 7a9a047 In base 9, what is 467316 - 417? 466788 In base 11, what is 2728 - -45070? 47798 In base 16, what is -1 + -2dbf2a? -2dbf2b In base 11, what is 1 + -14798702? -14798701 In base 5, what is 203012321122 - -3? 203012321130 In base 9, what is 775 + -4686? -3811 In base 14, what is 2a6d47 + -54? 2a6cd3 In base 4, what is -3032220002 + -1030? -3032221032 In base 15, what is -4354c4 - -4? -4354c0 In base 8, what is 2 + 103631515? 103631517 In base 12, what is -9 - 2693248? -2693255 In base 11, what is -108 + -289? -396 In base 10, what is 245 - -11086? 11331 In base 9, what is -44810 + -554? -45464 In base 13, what is -c1b733 + 13? -c1b720 In base 4, what is -3330000120 + -200? -3330000320 In base 16, what is 10704a6 + -2c? 107047a In base 8, what is 26520 - -1430? 30150 In base 5, what is 43241 - -13142? 111433 In base 2, what is -1011000101010101110000001 - 0? -1011000101010101110000001 In base 2, what is -101000001110111 - 101? -101000001111100 In base 7, what is 5063 - -1240554? 1245650 In base 3, what is -1 + 12001121222200? 12001121222122 In base 15, what is -8c + 9987a2? 998715 In base 6, what is -151533 + 22414? -125115 In base 6, what is -405051130 + -2? -405051132 In base 3, what is 12012111200 - 2220221? 12002120202 In base 14, what is -29311 + 4dc? -28c13 In base 5, what is -14 - 1333333031? -1333333100 In base 9, what is -2213228122 - -3? -2213228118 In base 2, what is -11110011 - 101010001110001? -101010101100100 In base 14, what is 142 + -24c2? -2380 In base 8, what is 2005152 - -70? 2005242 In base 6, what is -1 - -5411244305? 5411244304 In base 7, what is -234425 - -4633? -226462 In base 11, what is 2 - -1538996? 1538998 In base 2, what is -1001100011001 + 10100010101101? 1010110010100 In base 6, what is 0 - 133444044? -133444044 In base 8, what is 2326205 - 22? 2326163 In base 16, what is c7b7f - -2? c7b81 In base 13, what is 2 + -302b84? -302b82 In base 11, what is 267a33 + -45? 267999 In base 9, what is -32183804 + 4? -32183800 In base 16, what is -4 - 25245b4? -25245b8 In base 3, what is 10110212122101001 + 0? 10110212122101001 In base 3, what is -112112102000211212 - 12? -112112102000212001 In base 10, what is -32 + -7119808? -7119840 In base 3, what is -1200002100202110201 - -1? -1200002100202110200 In base 7, what is -122241 + 5136? -114102 In base 12, what is a499 - -1a9? a686 In base 7, what is 221523445 + -5? 221523440 In base 11, what is -36a697 - 25? -36a711 In base 13, what is -3 - 459323? -459326 In base 14, what is -3 + 8588c37? 8588c34 In base 6, what is -415 - -22242504? 22242045 In base 9, what is 2 + -412213812? -412213810 In base 16, what is -112e - -cd8? -456 In base 7, what is -101603 + 164? -101406 In base 7, what is 330 + -505645? -505315 In base 9, what is 3 + -4441811? -4441807 In base 4, what is -313003213310 + 201? -313003213103 In base 11, what is -23610 - 167a? -2518a In base 2, what is -11001011110 + 1000000100101? 100111000111 In base 14, what is -467d4 - 2? -467d6 In base 9, what is -8 - 633801? -633810 In base 12, what is 52a243b - -1? 52a2440 In base 16, what is 9a4b3a + -7? 9a4b33 In base 8, what is -534 - -510145? 507411 In base 13, what is -2 - -88654b? 886549 In base 8, what is 7 - 50045213? -50045204 In base 14, what is 5 + a39b23c? a39b243 In base 8, what is 50441370 - 32? 50441336 In base 14, what is 19b478cc - -4? 19b478d2 In base 9, what is 44205572 + 1? 44205573 In base 5, what is -302204 + 32232? -214422 In base 4, what is 3 - 1300112001231? -1300112001222 In base 6, what is -5320534 + -151? -5321125 In base 9, what is 5 + -245233228? -245233223 In base 13, what is 5 + -135c2bb? -135c2b6 In base 7, what is 0 - -2234460550? 2234460550 In base 13, what is -2044 + -13661? -156a5 In base 11, what is -2851429a7 - 1? -2851429a8 In base 10, what is 17424 - 4547? 12877 In base 14, what is -11386 - 2cb5? -1425b In base 13, what is 69 - 49acc6? -49ac5a In base 10, what is -663538827 + 2? -663538825 In base 5, what is -3 + -330031334344? -330031334402 In base 7, what is -653433 - -1155? -652245 In base 10, what is 222564 - -13? 222577 In base 11, what is -1 - -426956? 426955 In base 12, what is 628a9a - 1? 628a99 In base 13, what is 6 - 4cc5a2? -4cc599 In base 11, what is 16a + -3215? -3056 In base 13, what is 1191 + 2a3b? 3bcc In base 16, what is -f - -4140? 4131 In base 4, what is 1310 + 10211132330? 10211200300 In base 15, what is 0 + 22a076? 22a076 In base 6, what is 1212014033 + 3? 1212014040 In base 7, what is 16 + 36056405? 36056424 In base 15, what is 6dd3de1 + -9? 6dd3dd7 In base 13, what is -9bc04cb - 2? -9bc0500 In base 7, what is 320121 + -133141? 153650 In base 4, what is -210113 - -102200300? 101330121 In base 2, what is -100 + 1000010010001110111010? 1000010010001110110110 In base 10, what is -379783 + -2? -379785 In base 8, what is 16
null
minipile
NaturalLanguage
mit
null
NAP of the Americas Network Access Point (NAP) of the Americas (also called MI1) is a massive, six-story, 750,000 square foot data center and Internet exchange point in Miami, Florida, operated by Equinix. The facility is home to 160 network carriers and is a pathway for data traffic from the Caribbean and South and Central America to more than 148 countries. The NAP of the Americas is built 32 feet above sea level and is designed to withstand Category 5 hurricane-level winds. It serves as a relay for the U.S. Department of State's Diplomatic Telecommunications Service. See also List of Internet exchange points References External links NAP of the Americas Category:Data centers Category:Internet exchange points in the United States Category:Buildings and structures in Miami Category:Buildings and structures completed in 2001 Category:Telecommunications buildings in the United States Category:Verizon Communications Category:2001 establishments in Florida
null
minipile
NaturalLanguage
mit
null
Effect of acupuncture on gastric acid secretion in healthy male volunteers. Six randomized, placebo controlled studies were performed to investigate the effect of electroacupuncture on gastric acid output in 38 healthy males. Electroacupuncture decreased basal acid output when compared to placebo acupuncture [from 3.50 +/- 0.59 mmol/hr to 2.54 +/- 0.56 mmol/hr (P < 0.05)] as well as sham feeding-stimulated acid output [from 18.52 +/- 2.25 mmol/hr to 5.38 +/- 2.11 mmol/hr (P < 0.005)], but had no effect on the pentagastrin stimulated acid output. The inhibitory effect of acupuncture on sham feeding-stimulated acid output was not affected by local anesthesia of the acupoint, but was prevented by a prior intravenous naloxone injection. Acupuncture did not alter plasma gastrin levels (20.7 +/- 7.6 micrograms/liter, vs control 21.2 +/- 7.2 micrograms/liter) but naloxone increased it (26.1 +/- 14.5 micrograms/liter) (P < 0.05). We conclude that the antisecretory effects of electroacupuncture do not result from decreased gastrin release or decreased parietal cell sensitivity to gastrin, but are mediated through naloxone-sensitive opioid neural pathways and vagal efferent pathways.
null
minipile
NaturalLanguage
mit
null
Last October I was diagnosed with Non-alcoholic Cirrhosis of the Liver. As I got sicker and sicker I was able to work fewer hours, By the end of the year all of my sick days were used up. To treat this, I was having Paracentesis done every two weeks to drain off excess fluid from my abdomen. I also began suffering low blood pressure from the water pills I was given to help fight fluid build up in my arms and legs. So the Doctors pulled me off of those medication. Within a month there was twice as much fluid to drain every two weeks, and my arms and legs were retaining fluids full time. I've been admitted to overnight stays several times due to my blood pressure alone. I continued to be able to work less and less, until April, when I qualified for FMLA and I've yet to be functional or strong enough to return to work, and lived on my tax refund as long as possible. Now I find myself with a three-fold problem. 1.) My father broke his hip about a month ago, and has moved to a nursing home, so the home is going to be sold in August. I've found a studio apartment, but need help with deposits and moving expenses. 2.) My car is in need of new brakes and to get my insurance and tags current. This is my only means of getting to all of my various Doctor appointments. Let alone any sense of independence. 3.) I have not earned any money since I went on leave, my family helps as best they can, but if I can ease that pressure until I hear from SSDI and SSI it will really help. I could set my goal for three times as much and try to start getting my medical bills paid, but this is what will help me the most right now. I know everyone is going through hard times, and there's no pressure to give. All I ask is that you share this so that maybe those who can help will see this. Thank you so much, and bless you all.
null
minipile
NaturalLanguage
mit
null
It's the first sighting of the singer, actress and American Idol judge since she and Marc Anthony announced their separation on Friday after seven years of marriage and two kids (twins Max and Emme, 3). There were clues of a rift last weekend in Hollywood, when Lopez showed up without her hubby, 42, and without her wedding ring, at the BAFTAs Brits to Watch 2011 gala, where she and mom Guadalupe mingled with Prince William and Duchess Kate. Latin crooner Anthony, meanwhile was also getting back to work on Sunday. Performing before a huge, adoring crowd at the Parque Simon Bolivar stadium in Bogota, Colombia, Anthony made one cryptic allusion to his romantic status.
null
minipile
NaturalLanguage
mit
null
Q: Rows to columns based on date/time in Postgresql Here is the part of the table: I need to transform it to this: I used aggregation but it fills with a lot of null cells. Of course there are more records with different timestamp in the table like : 09/02/2020 21:30:00 and so on.. I see similar question but I thing is somehow messed up in the sqlfiddle. A: You can achieve this using conditional aggregation. select recordtime, max(formattedvalue) filter (where fullname = 'FirstName') as "First Name", max(formattedvalue) filter (where fullname = 'SecondName') as "Second Name", max(formattedvalue) filter (where fullname = 'ThirdName') as "Third Name", .... repeat for all possible full names ... max(qualitydesc) as "QualityDesc", max(statedesc) as "StateDesc" from the_table group by recordtime order by recordtime;
null
minipile
NaturalLanguage
mit
null
Tasker reels in 3 TDs as Ticats top Argos The Canadian Press Hamilton Tiger-Cats TORONTO — Jeremiah Masoli and the Hamilton Tiger-Cats have put themselves in a position to battle for top spot in the East Division. Masoli threw four TD passes as Hamilton beat the Toronto Argonauts 34-20 on Friday night. The Ticats emphatically swept the season series 3-0, but more importantly moved into a first-place tie with the Ottawa Redblacks atop the East Division. Hamilton (8-7) will face Ottawa (8-6) at TD Place next weekend to open a crucial home-and-home series between the two teams. The Ticats host the Redblacks on Oct. 27. "That's it right there for top place in the East," said Masoli. "Obviously, we'll be full go when that comes around. "We'll enjoy this road victory, it's not easy to get road victories in this league and regroup after this." Ottawa is in Edmonton on Saturday, but leads the season series with Hamilton 1-0. However Ticats head coach June Jones said his team couldn't afford to look past struggling Toronto (3-12). "If we'd lost this game, the home-and-home with Ottawa wouldn't mean anything," Jones said. "We have right in front of us an opportunity ... it's hard to win back-to-back games but we've got to do it now." Hamilton will head to Ottawa having won two straight and five of its last seven games overall. Masoli was a pivotal figure in the sweep of Toronto with a combined 11 TD passes. He finished 21-of-30 passing for 338 yards with two interceptions, surpassing the 300-yard mark in all three games and for a CFL-best 11th time this season. Luke Tasker and Brandon Banks again both came up big for Hamilton. Banks had eight catches for 178 yards and a TD, while Tasker registered four receptions for 63 yards and a career-best three touchdowns. Over the three games, Banks had 23 catches for 466 yards and five TDs while Tasker recorded 19 receptions for 297 yards and five touchdowns. "You have to give Masoli credit," Toronto head coach Marc Trestman said. "He just doesn't do it one week, he does it every week the way he gets out of the pocket and makes a throw. "Tasker is always around or Speedy has already run. We just couldn't turn the field the way we wanted to." After staking Hamilton to an 18-10 half-time lead, Masoli cemented the win in the third quarter with TD strikes of five and 48 yards to Tasker. That put the Ticats ahead 31-10 and into cruise control before a BMO Field gathering of 14,184 on a cool fall night. "Jeremiah has played this way all year," said Jones. "We did what we had to do, it's very difficult to beat the same team three times. "The guys showed up, played hard just like we said we needed to do, played physical and we did." Masoli improved his road record to 12-7 as a CFL starter — he's 6-9 in Hamilton — and 3-0 at Toronto. He has more career wins (five) against the Argos than any other team. "I just think we had a good scheme matching up with what they do on defence," he said. "Obviously, our receivers were just killing guys getting wide open, the O-line (held) up and did a great job. "We've definitely got some momentum, we've got some good mojo going over there. Hopefully, we can keep this momentum going into this week." Toronto, the 10th CFL team since '58 to win the Grey Cup then miss the playoffs the next year, suffered its seventh straight loss. It's the longest losing streak of Trestman's CFL career. The usually stoic Trestman showed rare frustration in the second quarter following a late pass interference call on Argos' defensive back Ronnie Yell. Trestman, who was wearing a microphone on the sideline, unsuccessfully challenged the penalty and let referee Al Bradbury know he wasn't amused. "I've never said a word to you in seven years and I'm not going to say a word tonight. But you're lucky I'm mic'd. It's not right." Toronto's James Franklin, making his first start in nine games, was 22-of-37 for 292 yards with two TDs and an interception while rushing for 44 yards on seven carries. Veteran S.J. Green had seven catches for 127 yards and a touchdown. Trestman said there's been a pattern in Toronto's game this season, but not a good one. "The consistency in our football team is we have errors in all three phases," he said. "We weren't able to turn it around and do some of the things we did a year ago. "We've not been able to make the play when it's needed." Hamilton's Lirim Hajrullahu booted two field goals, a single and three converts. Branden Burks had Toronto's other touchdown. Newcomer Drew Brown kicked two field goals and two converts.
null
minipile
NaturalLanguage
mit
null
Angiotensin I-converting enzyme (ACE) inhibitory activities of sardinelle (Sardinella aurita) by-products protein hydrolysates obtained by treatment with microbial and visceral fish serine proteases. The angiotensin I-converting enzyme (ACE) inhibitory activities of protein hydrolysates prepared from heads and viscera of sardinelle (Sardinella aurita) by treatment with various proteases were investigated. Protein hydrolysates were obtained by treatment with Alcalase(®), chymotrypsin, crude enzyme preparations from Bacillus licheniformis NH1 and Aspergillus clavatus ES1, and crude enzyme extract from sardine (Sardina pilchardus) viscera. All hydrolysates exhibited inhibitory activity towards ACE. The alkaline protease extract from the viscera of sardine produced hydrolysate with the highest ACE inhibitory activity (63.2±1.5% at 2mg/ml). Further, the degrees of hydrolysis and the inhibitory activities of ACE increased with increasing proteolysis time. The protein hydrolysate generated with alkaline proteases from the viscera of sardine was then fractionated by size exclusion chromatography on a Sephadex G-25 into eight major fractions (P1-P8). Biological functions of all fractions were assayed, and P4 was found to display a high ACE inhibitory activity. The IC50 values for ACE inhibitory activities of sardinelle by-products protein hydrolysates and fraction P4 were 1.2±0.09 and 0.81±0.013mg/ml, respectively. Further, P4 showed resistance to in vitro digestion by gastrointestinal proteases. The amino acid analysis by GC/MS showed that P4 was rich in phenylalanine, arginine, glycine, leucine, methionine, histidine and tyrosine. The added-value of sardinelle by-products may be improved by enzymatic treatment with visceral serine proteases from sardine.
null
minipile
NaturalLanguage
mit
null
The Relationship Among Oxidative and Anti-Oxidative Parameters and Myeloperoxidase in Subjects With Obstructive Sleep Apnea Syndrome. Obstructive sleep apnea (OSA) is a highly prevalent breathing disorder in sleep. It is characterized by intermittent hypoxia leading to hypoxemia, hypercapnia, sleep fragmentation, and increased respiratory efforts. We evaluated the relationship between OSA and myeloperoxidase activity, the oxidative stress index (OSI), total anti-oxidative capacity (TAC), and total oxidative capacity (TOC). A total of 70 consecutive subjects (mean age ± SD: 51.7 ± 11.7 y) were diagnosed with OSA after a night polysomnography recording between January 2014 and June 2014 consecutively. The subjects in the OSA group were divided according to the severity of the disease into three subgroups, consisting of 11 mild, 17 moderate OSA, and 22 severe OSA subjects. Twenty subjects with simple snoring were considered as the control group. We included a total of 70 subjects: 50 with OSA (11 subjects 6.9% mild, 17 subjects 24.7% moderate, and 22 subjects 68.5% severe) and 20 subjects with simple snoring as control cases. The mean age of the mild OSA subjects was 44.5 ± 11.7 y, moderate OSA subjects' mean age was 52.5 ± 11.9 y, and severe OSA subjects' mean age was 52.1 ± 10.1 y; 54.2% were male. There were statistically significant differences among the 4 groups' OSI, TAC, and TOC levels, but there was no statistically significant difference between the other values. The mean myeloperoxidase, TOC, OSI, and TAC levels were 55 ± 12, 61.2 ± 21.1, 3.04 ± 1.04, and 2.03 ± 0.4 in the mild OSA group; 58.7 ± 17.2, 60 ± 18.9, 3.05 ± 1, and 2 ± 0.33 in the moderate OSA group; 56.6 ± 17.9, 52.1 ± 17.9, 2.7 ± 0.76, and 1.94 ± 0.24 in the severe OSA group; and 49.8 ± 12.5, 54.3 ± 16.4, 3.08 ± 0.88, and 1.78 ± 0.26 in the control group, respectively. In our study, there were no differences in studied parameters between control and OSA groups. Furthermore, our low number of cases was a restrictive factor. Further studies should be undertaken to clarify this relation.
null
minipile
NaturalLanguage
mit
null