text
stringlengths
1
1.09M
gpt_token_count
int64
1
672k
llama_token_count
int64
2
793k
Is it possible to conclude that "A person standing on a ciff looking down at plains and trees." if "A person sits on a cliff to eat lunch."? no
36
36
ORANGE COUNTY, Fla. – With her passenger side door open, Wilma Perez points to zip ties she has holding together her headrest, seemingly pulled apart to pieces. She says she feels her hands are tied with how to keep her and her grandchildren safe while on the road. Her concerns come after she says her Active Head Restraint "AHR" deployed while she was driving her 2014 Dodge Avenger along Interstate 95 to Daytona Beach for a meeting last May. "A loud, loud pop, I thought, for a moment I thought it was a bullet shattering the window or a rock. I just couldn't figure it out," Perez said. Once she got to her destination, she says her headrest had deployed. According to Perez and her attorney, Robby Bell, the "AHR" is a device found in Chrysler, Jeep and Dodge vehicles and deploy in the event of a rear-end crash or violent force. "It's supposed to deploy to minimize or reduce the gap of the person's head to the headrest to prevent or reduce whiplash," Bell said. However, Perez said hers deployed for no reason while she was simply on the road. She says she took it to the Chrysler dealership where she normally gets her oil changes and was shocked that what she calls a defect wasn't listed as a recall. She was even more shocked when she was told she would have to pay up to $800 to fix it. "It was scary because it could have caused an accident, I could have lost control. And what if my grandchildren were in there?" Perez asked. So, she hired Bell and together, they filed a class action lawsuit. The lawsuit and Bell claim Perez isn't the only one with a similar experience. "The reason why we are bringing the case is because this is a safety issue," Bell said. "Our belief is that there is thousands, if not millions, of cars nationwide that have these headrests and in the event that this happens while someone is driving, especially on the driver's side, it can cause major issues." According to a search on the National Highway Traffic Safety Administration, there were several complaints claiming the same thing had happened. "The front passenger headrest active head restraint safety device deployed without warning during normal driving. There was no impact, etc., that would cause the device to deploy. The device errantly deployed. Had a passenger been in the vehicle this could have resulted in serious injury. The vehicle was not in motion. Through online research, I noted that this seems to be a common issue. But I do not see a recall on it," one complaint from Brooksville read. Late Wednesday afternoon, FCA US, formerly known as the Chrysler Group, responded to Perez's claim. They began by saying they had no record of Perez contacting a dealer to address her issue. A spokesperson released this official statement. "FCA US vehicles meet or exceed all federal safety requirements. Customer safety is paramount at FCA US. Evaluation confirms that even in the rare event of inadvertent deployment there is no unreasonable risk of injury. Absent such risk, there is no safety defect. We cannot discuss this matter further at this time as it is in litigation," wrote Michael Palese. To read more complaints about this to the NHTSA or to file one yourself, click here.
687
673
[ ĭ-lĕk′trō-măg-nĕt′ĭk ] The fundamental force associated with electric and magnetic fields. The electromagnetic force is carried by the photon and is responsible for atomic structure, chemical reactions, the attractive and repulsive forces associated with electrical charge and magnetism, and all other electromagnetic phenomena. Like gravity, the electromagnetic force has an infinite range and obeys the inverse-square law. The electromagnetic force is weaker than the strong nuclear force but stronger than the weak force and gravity. Some scientists believe that the electromagnetic force and the weak nuclear force are both aspects of a single force called the electroweak force. Words nearby electromagnetic force The American Heritage® Science Dictionary Copyright © 2011. Published by Houghton Mifflin Harcourt Publishing Company. All rights reserved.
171
170
<reponame>jackcenter/Particle_FIilter_Localization from math import sqrt import matplotlib.pyplot as plt from matplotlib.patches import Ellipse import numpy as np from dynopy.estimationtools.estimation_tools import monte_carlo_sample class GroundTruth: """ data object to hold all information pertinent to the ground truth at a given time step """ def __init__(self, step: int, state_1: float, state_2: float, state_3: float, state_4: float, state_5: float, Q=None, state_names=None): self.step = step self.x_1 = state_1 self.x_2 = state_2 self.x_3 = state_3 self.x_4 = state_4 self.x_5 = state_5 self.Q = Q self.state_names = state_names if isinstance(self.Q, np.ndarray): noisy_state = monte_carlo_sample(self.return_data_array(), self.Q) self.update_values(noisy_state) def update_values(self, new_values: np.ndarray): new_values = np.squeeze(new_values) self.x_1 = new_values[0] self.x_2 = new_values[1] self.x_3 = new_values[2] self.x_4 = new_values[3] self.x_5 = new_values[4] @staticmethod def create_from_array(step: int, state_array: np.ndarray, Q=None): """ fast way to create a StateEstimate object from a numpy array of the state :param step: time step associated with the data :param state_array: numpy array with ordered state values :param Q: process noise to be applied :return: StateEstimate object """ print(state_array) print(type(state_array)) if state_array.shape[1]: # reduces 2D state array down to a single dimension state_array = state_array.squeeze() return GroundTruth( step, state_array[0], state_array[1], state_array[2], state_array[3], state_array[4], Q ) @staticmethod def create_from_list(step: int, state_list: list, Q=None): """ fast way to create a StateEstimate object from a numpy array of the state :param step: time step associated with the data :param state_list: list with ordered state values :param Q: process noise to be applied :return: StateEstimate object """ return GroundTruth( step, state_list[0], state_list[1], state_list[2], state_list[3], state_list[4], Q ) def return_data_array(self): """ provides intuitive and usefully formatted access to the state estimate data. :return: the state estimate data as an order 2D numpy array """ return np.array([ [self.x_1], [self.x_2], [self.x_3], [self.x_4], [self.x_5] ]) def return_data_list(self): """ provides intuitive and usefully formatted access to the state estimate data. :return: the state estimate data as an order list """ return [self.x_1, self.x_2, self.x_3, self.x_4, self.x_5] def plot(self): plt.plot(self.x_1, self.x_2) class InformationEstimate: def __init__(self, step: int, info_1: float, info_2: float, info_matrix: np.ndarray): self.step = step self.i_1 = info_1 self.i_2 = info_2 self.I_matrix = info_matrix @staticmethod def create_from_array(step: int, info_array: np.ndarray, info_matrix: np.ndarray): if info_array.shape[1]: # reduces 2D state array down to a single dimension info_array = info_array.squeeze() return InformationEstimate( step, info_array[0], info_array[1], info_matrix ) def return_data_array(self): return np.array([ [self.i_1], [self.i_2], ]) def return_information_matrix(self): return self.I_matrix def get_state_estimate(self): covariance = np.linalg.inv(self.I_matrix) state_array = covariance @ self.return_data_array() return StateEstimate.create_from_array(self.step, state_array, covariance) def update(self, info_array: np.ndarray, info_matrix: np.ndarray): self.i_1, self.i_2 = info_array[0][0], info_array[1][0] self.I_matrix = info_matrix class StateEstimate: """ data object to hold all information pertinent to the state estimate at a given time step """ def __init__(self, step: int, state_1: float, state_2: float, state_3: float, state_4: float, state_5: float, covariance: np.ndarray, state_names=None): self.step = step self.x_1 = state_1 self.x_2 = state_2 self.x_3 = state_3 self.x_4 = state_4 self.x_5 = state_5 self.state_names = state_names self.covariance = covariance self.x1_2sigma = 2 * float(covariance[0][0]) ** 0.5 self.x2_2sigma = 2 * float(covariance[1][1]) ** 0.5 self.x3_2sigma = 2 * float(covariance[0][0]) ** 0.5 self.x4_2sigma = 2 * float(covariance[1][1]) ** 0.5 self.x5_2sigma = 2 * float(covariance[0][0]) ** 0.5 @staticmethod def create_from_array(step: int, state_array: np.ndarray, covariance: np.ndarray): """ fast way to create a StateEstimate object from a numpy array of the state :param step: time step associated with the data :param state_array: numpy array with ordered state values :param covariance: numpy array with the estimate covariance :return: StateEstimate object """ if state_array.shape[1]: # reduces 2D state array down to a single dimension state_array = state_array.squeeze() return StateEstimate( step, state_array[0], state_array[1], state_array[2], state_array[3], state_array[4], covariance ) @staticmethod def create_from_list(step: int, state_list: list, covariance): """ fast way to create a StateEstimate object from a numpy array of the state :param step: time step associated with the data :param state_list: list with ordered state values :param state_list: list with covariance #TODO: decide if this is a np array :return: StateEstimate object """ return StateEstimate( step, state_list[0], state_list[1], state_list[2], state_list[3], state_list[4], covariance ) def return_data_array(self): """ provides intuitive and usefully formatted access to the state estimate data. :return: the state estimate data as an order 2D numpy array """ return np.array([ [self.x_1], [self.x_2], [self.x_3], [self.x_4], [self.x_5], ]) def return_data_list(self): """ provides intuitive and usefully formatted access to the state estimate data. :return: the state estimate data as a list """ return [self.x_1, self.x_2, self.x_3, self.x_4, self.x_5] def return_covariance_array(self): """ provides intuitive access to the covariance matrix :return: the covariance data as a 2D numpy array """ return self.covariance def get_two_sigma_value(self, state: str): """ provides intuitive access to the two sigma value :param state: name of the state attribute associated with the desired two sigma value :return: a float of the two sigma value, or 'None" if the v """ if state == 'x_1': return self.x1_2sigma elif state == 'x_2': return self.x2_2sigma elif state == 'x_3': return self.x1_2sigma elif state == 'x_4': return self.x2_2sigma elif state == 'x_5': return self.x1_2sigma else: print("ERROR: requested state not found for 'get_two_sigma_value' in data_objects") return None def plot_state(self, color='r'): plt.plot(self.x_1, self.x_2, 'd', color=color, markerfacecolor='none') def get_covariance_ellipse(self, color='b'): major_axis = 2*self.x1_2sigma * sqrt(5.991) minor_axis = 2 * self.x2_2sigma * sqrt(5.991) return Ellipse(xy=(self.x_1, self.x_2), width=major_axis, height=minor_axis, edgecolor=color, fc='None', ls='--') class Input: """ data object to hold all information pertinent to the measurement data at a given time step """ def __init__(self, step, input_1, input_2, input_names=None): self.step = step self.u_1 = input_1 self.u_2 = input_2 self.input_names = input_names @staticmethod def create_from_dict(lookup): """ Used to construct objects directly from a CSV data file :param lookup: dictionary keys :return: constructed ground truth object """ return Input( int(lookup['step']), float(lookup['u_1']), float(lookup['u_2']), ) class Measurement: """ data object to hold all information pertinent to the measurement data at a given time step """ def __init__(self, step, output_1, output_2, output_3, output_4, output_5, output_6, output_names=None): self.step = step self.y_1 = output_1 self.y_2 = output_2 self.y_3 = output_3 self.y_4 = output_4 self.y_5 = output_5 self.y_6 = output_6 self.output_names = output_names @staticmethod def create_from_dict(lookup): """ Used to construct objects directly from a CSV data file :param lookup: dictionary keys :return: constructed ground truth object """ return Measurement( int(lookup['step']), float(lookup['y_1']), float(lookup['y_2']), ) @staticmethod def create_from_array(step: int, output_array: np.ndarray): """ fast way to create a Measurement object from a numpy array of measurements :param step: time step associated with the data :param output_array: numpy array with ordered measurement values :return: Measurement object """ if output_array.shape[1]: # reduces 2D measurement array down to a single dimension output_array = output_array.squeeze() return Measurement( step, output_array[0], output_array[1], output_array[2], output_array[3], output_array[4], output_array[5], ) @staticmethod def create_from_list(step: int, output_list: list, output_names=None): """ fast way to create a Measurement object from a numpy array of measurements :param step: time step associated with the data :param output_list: list with ordered measurement values :param output_names: :return: Measurement object """ return Measurement( step, output_list[0], output_list[1], output_list[2], output_list[3], output_list[4], output_list[5], output_names ) def return_data_list(self): """ provides intuitive access to the measurement data :return: the measurement data as a list """ return [self.y_1, self.y_2, self.y_3, self.y_4, self.y_5, self.y_6] def return_data_array(self): """ provides intuitive access to the measurement data :return: the measurement data as a 2D numpy array """ return np.array([ [self.y_1], [self.y_2], [self.y_3], [self.y_4], [self.y_5], [self.y_6], ]) def get_noisy_measurement(R: np.ndarray, true_measurement: Measurement): step = true_measurement.step sample = monte_carlo_sample(true_measurement.return_data_array(), R, 1) noisy_measurement = Measurement.create_from_array(step, sample) return noisy_measurement def get_noisy_measurements(R: np.ndarray, true_measurements: list): noisy_measurements = list() for measurement in true_measurements: noisy_measurement = get_noisy_measurement(R, measurement) noisy_measurements.append(noisy_measurement) return noisy_measurements
5,985
3,057
The Obamadon was an extinct species of polyglyphanodontian lizard from the Late Cretaceous of North America. It was discovered in the Hell Creek Formation, in Montana and the Lance Formation of Wyoming, for precise location. Obamadon lived in the Hell Creek Formation, in the Late Cretaceous-Paleogene Period, in Montana and Wyoming. When two specimens were first discovered, they were both placed in the University of California Museum of Paleontology, where they were studied more easily. Obamadon is known from two lower jaw fragments, with both lower jaw fragments being less than a centimeter, thus signifying that Obamadon was that small. The teeth of Obamadon were straight and tall. Moreover, the jaws of Obamadon were straight and narrow, unlike other polyglyphanodontians, which usually had curved jaws. It also had large central cusps separated from small accessory cusps by lingual grooves. Obamadon's diet is still being studied with future discoveries yet to be made, but it is theorized that it fed on insects and plant matter. The naming for Obamadon first began in 2012, but was delayed until 2013, due to its name being based off of the American President Barack Obama, and if Obamadon was named in 2012, it would show disrespect to President Obama as a sign of mockery. Ironically, Obamadon is named after comparing its straight and tall teeth with Obama's 'tall, straight manner'. Obamadon was originally planned for Saurian, due to it living in the Hell Creek Formation, but later in the game's development, it was cut, due to its size being 30 centimeters (1 foot long), a size deemed too small for a large game such as Saurian. This does come with a reason, because if Obamadon wasn't cut and made it into the final game, it would be almost impossible to see the polyglyphadontian lizard. |Animals of Saurian| |Playable: Ankylosaurus • Anzu • Dakotaraptor • Pachycephalosaurus • Triceratops • Tyrannosaurus Non-playable: Acheroraptor (originally playable) • Alvarezsaur • Anatosaurus • Axestemys • Basilemys • Bone Butte Bird • Borealosuchus • Brachychampsa • Brodavis • Casterolimulus • Chamops • Champsosaurus • Denversaurus • Didelphodon • Habrosaurus • Meniscoessus • Mosasaurus • Ornithomimid • Quetzalcoatlus • Palaeosaniwa • Pectinodon • Thescelosaurus • Thoracosaurus • Toxochelys
584
588
The precise determination of object positions within a specimen grid is important for many applications in electron microscopy. For example, real-time position determination is necessary for current statistical approaches and the efficient mapping and relocation of objects. Unfortunately, precise real-time position determination is not available on many older electron microscopes with manual stage controls. This report demonstrates the cost-effective and flexible implementation of a digital position determination system that can be adapted to many hand-operated electron microscopes. A customized solution that includes the hardware and software to accomplish position determination is presented. Lists of required parts, instructions for building the hardware, and descriptions of the developed programs are included. Two LED-photodiode assemblies detect x and y movements via an optical wheel that is in physical contact with the mechanical x and y stage control elements. These detector assemblies are interfaced with an integrated circuit that converts movement information into serial port-compatible signals, which are interpreted by a computer with specialized software. Two electron microscopes, a Philips CM12 (S)TEM and a Philips 201 TEM, were equipped with the described digital position determination system. The position fidelity and position fidelity after reloading of grids were determined for both microscopes. The determined position deviation was 1.06 microm in the x axis and 0.565 microm in the y axis for the Philips CM12 (S)TEM, and 0.303 microm in the x axis and 0.545 microm in the y axis for the Philips 201 TEM. After reloading and computational realigning, the determined average position variation was 2.66 microm in the x axis and 2.61 microm in the y axis for the Philips CM12 (S)TEM, and 1.13 microm in the x axis and 1.27 microm in the y axis for the Philips 201 TEM. I Stokroos et al. J Biol Buccale 11 (4), 339-45. Dec 1983. PMID 6581166. J Pulokas et al. J Struct Biol 128 (3), 250-6. 1999. PMID 10633064. TC Harrison et al. J Neurosci Methods 182 (2), 211-8. 2009. PMID 19559049.
459
466
from . import foreach from . import toiterable from . import first from. import last
23
23
<reponame>VSaliy/j2objc<filename>jre_emul/android/platform/libcore/ojluni/src/main/java/java/lang/SecurityManager.java /* * Copyright (C) 2014 The Android Open Source Project * Copyright (c) 1995, 2006, Oracle and/or its affiliates. All rights reserved. * DO NOT ALTER OR REMOVE COPYRIGHT NOTICES OR THIS FILE HEADER. * * This code is free software; you can redistribute it and/or modify it * under the terms of the GNU General Public License version 2 only, as * published by the Free Software Foundation. Oracle designates this * particular file as subject to the "Classpath" exception as provided * by Oracle in the LICENSE file that accompanied this code. * * This code is distributed in the hope that it will be useful, but WITHOUT * ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or * FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License * version 2 for more details (a copy is included in the LICENSE file that * accompanied this code). * * You should have received a copy of the GNU General Public License version * 2 along with this work; if not, write to the Free Software Foundation, * Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA. * * Please contact Oracle, 500 Oracle Parkway, Redwood Shores, CA 94065 USA * or visit www.oracle.com if you need additional information or have any * questions. */ package java.lang; import java.security.*; import java.io.FileDescriptor; import java.net.InetAddress; /** * Legacy security code; do not use. */ public class SecurityManager { /** * @deprecated Use {@link #checkPermission} instead. */ @Deprecated protected boolean inCheck; /** * @deprecated Use {@link #checkPermission} instead. */ @Deprecated public boolean getInCheck() { return inCheck; } public SecurityManager() { } protected Class[] getClassContext() { return null; } /** * @deprecated Use {@link #checkPermission} instead. */ @Deprecated protected ClassLoader currentClassLoader() { return null; } /** * @deprecated Use {@link #checkPermission} instead. */ @Deprecated protected Class<?> currentLoadedClass() { return null; } /** * @deprecated Use {@link #checkPermission} instead. */ @Deprecated protected int classDepth(String name) { return -1; } /** * @deprecated Use {@link #checkPermission} instead. */ @Deprecated protected int classLoaderDepth() { return -1; } /** * @deprecated Use {@link #checkPermission} instead. */ @Deprecated protected boolean inClass(String name) { return false; } /** * @deprecated Use {@link #checkPermission} instead. */ @Deprecated protected boolean inClassLoader() { return false; } public Object getSecurityContext() { return null; } public void checkPermission(Permission perm) { } public void checkPermission(Permission perm, Object context) { } public void checkCreateClassLoader() { } public void checkAccess(Thread t) { } public void checkAccess(ThreadGroup g) { } public void checkExit(int status) { } public void checkExec(String cmd) { } public void checkLink(String lib) { } public void checkRead(FileDescriptor fd) { } public void checkRead(String file) { } public void checkRead(String file, Object context) { } public void checkWrite(FileDescriptor fd) { } public void checkWrite(String file) { } public void checkDelete(String file) { } public void checkConnect(String host, int port) { } public void checkConnect(String host, int port, Object context) { } public void checkListen(int port) { } public void checkAccept(String host, int port) { } public void checkMulticast(InetAddress maddr) { } /** * @deprecated use {@link #checkMulticast(java.net.InetAddress)} instead. */ @Deprecated public void checkMulticast(InetAddress maddr, byte ttl) { } public void checkPropertiesAccess() { } public void checkPropertyAccess(String key) { } public boolean checkTopLevelWindow(Object window) { return true; } public void checkPrintJobAccess() { } public void checkSystemClipboardAccess() { } public void checkAwtEventQueueAccess() { } public void checkPackageAccess(String pkg) { } public void checkPackageDefinition(String pkg) { } public void checkSetFactory() { } public void checkMemberAccess(Class<?> clazz, int which) { } public void checkSecurityAccess(String target) { } /** * Returns the current thread's thread group. */ public ThreadGroup getThreadGroup() { return Thread.currentThread().getThreadGroup(); } }
1,642
1,101
"Navan's insightful description and analysis of giftedness provides those of us who teach, mentor, and parent girls and young women with a road map to recognize and support their achievement and development. The stories, which describe girls and young women from a variety of backgrounds, are a pleasure to read." —Renee Campoy, Interim Assistant Dean College of Education, Murray State University Discover research-based approaches that support the academic and personal development of gifted female students! Research shows that gifted girls, in general, are underserved and their talents underidentified. This insightful resource helps educators discover and strengthen gifted female students' potential and promote their healthy intellectual, psychological, and emotional growth. Each chapter examines a different aspect of female development, provides a reflective exercise for applying the material to professional practice, and presents helpful strategies for teachers, counselors, and parents. The book covers - Psychological and emotional characteristics of giftedness - Cognitive, behavioral, and environmental factors affecting gifted girls' development - Issues of resilience, self-efficacy, self-agency, and personal ethics - The importance of supportive teacher interventions and parent advocacy This vital guide also includes appendices of mentoring programs, curriculum enhancers, Web resources, and research on the importance of fostering female gifted education, giving voice to gifted females and their unique developmental needs.
273
270
June 28, 2018 The Magic of Mud In Indiana, wet and muddy days happen no matter the season. Winter? Slushy and wet. Spring? Sunshine and rain. But this summer, you can embrace a little extra mud. Mud is a great chance to explore science. It can also be the main ingredient for pretend cooking, stirring and baking after a rainy day. A mud kitchen in your outdoor play space may be just the thing your little learner needs for a great number of hands-on experiences! What does it take to create a mud kitchen? Mostly, it’s items that you already have at home, just moved outside. Old pots and pans, spoons, forks and rolling pins are the tools you need. What happens when your child is playing in a mud kitchen? 1. Build word skills by talking about feelings and textures. Gooey, sloppy, wet and dry are great. They each help your child learn new ways to express ideas. 2. Science happens when children sort rocks and flowers, and explore the bugs they find. They can observe what happens when we add more water to the dirt. Then, you can ask them why they think the mud changes or why the water dries away. These are great moments for discovery! 3. Math is everywhere! Full, empty, more and less — all are ways to compare. “Do you want another slice of mud pizza?” And children can count as they cook mud dinners, share with their friends and wash dishes. “How many cups fill the pitcher?” 4. Pretend play grows friendship skills! Children work together to find new uses for the mud and make sense of their world. Want to see an example of how a mud kitchen works? Watch this video and see how other kids are cooking with mud! Share mud kitchens with your care provider, through the Partnerships in Early Learning version of this blog post for more ways to share with friends.
407
394
Tularemia, aka "rabbit fever," is endemic in the northeastern United States, and is considered to be a significant risk to biosecurity—much like anthrax or smallpox—because it has already been weaponized in various regions of the world. At the 58th Annual Biophysical Society Meeting, which takes place Feb. 15-19, 2014, in San Francisco, Calif., Geoffrey K. Feld, a Postdoctoral researcher in the Physical & Life Sciences Directorate at Lawrence Livermore National Laboratory (LLNL), will describe his work to uncover the secrets of the bacterium Francisella tularensis, which causes tularemia. "Despite its importance for both public health and biodefense, F. tularensis pathogenesis isn't entirely understood, nor do we fully understand how the organism persists in the environment," explained Feld. Previous efforts, funded by both the National Institutes of Health and LLNL, demonstrated that amoebae may serve as a potential reservoir for the bacteria in nature. "Specifically, we demonstrated that amoebae exposed to fully virulent F. tularensis rapidly form cysts—dormant, metabolically inactive cells—that allow the amoebae to survive unfavorable conditions," said Amy Rasley, the research team leader. This encystment phenotype was rapidly induced by F. tularensis in the laboratory and was required for the long-term survival of the bacteria. Further exploration led to the identification of secreted F. tularensis proteins, which are responsible for induction of the rapid encystment phenotype (REP) observed in amoebae. In the new work, Feld and colleagues characterized two of these REP proteins—called REP24 and REP34—and began to describe their functions based on their three-dimensional crystal structures. A big surprise finding was that these proteins resembled "proteases," which are proteins that cut other proteins in a specific manner. "Our preliminary data indicate that F. tularensis bacteria lacking these proteins are diminished in their ability to infect or survive in human immune cells, which indicates that these proteins may also contribute to F. tularensis virulence," Feld said. Rasley and colleagues believe that careful characterization of these two novel F. tularensis proteins may shed light on how this organism persists in the environment and causes disease. "Ultimately, this type of research could inform efforts to combat the disease, although there is much work to do. Currently, we don't know the protein targets in the host—amoeba, human, etc.—that the REP proteins act on, nor do we know the mechanism by which the proteins could help F. tularensis survive in the environment or cause disease," Feld said. "Once these questions are elucidated, a broader understanding of environmental persistence and pathogenesis might lead to better diagnostics and/or novel countermeasures to combat tularemia," he added. Explore further: Researchers discover simple amoeba holds the key to better treatment for Alzheimer's More information: The presentation "Structure and Function of Two Putative Virulence Factors from Francisella tularensis" by Geoffrey K. Feld will be at 1:45 p.m. on Sunday, February 16, 2014 in Hall D in San Francisco's Moscone Convention Center. Abstract: tinyurl.com/n28b6bf
698
685
Complete Guide to Teacher-Centered vs. Student-Centered Learning Who’s in charge here? When it comes to utilizing a student-centered vs. teacher-centered educational approach, the answer is the same: the teacher. However, a student-centered vs. teacher-centered classroom may look and feel very different to the outside observer. Educators know the difference and many are adept at integrating aspects of both approaches into their teaching. However, as with anything, it is often helpful to have a quick refresher. In teacher-centered learning — the more traditional or conventional approach — the teacher functions in the familiar role of classroom lecturer, presenting information to the students, who are expected to passively receive the knowledge being presented. In student-centered learning, the teacher is still the classroom authority figure but functions as more of a coach or facilitator as students embrace a more active and collaborative role in their own learning. Teacher-Centered vs. Student-Centered Education [Pros & Cons] Benefits of a Teacher-Centered Classroom - Order in the class! Students are quiet as the teacher exercises full control of the classroom and activities. - Being fully in control minimizes an instructor’s concern that students may be missing key material. - When a teacher takes full responsibility for educating a group of students, the class benefits from a focused approach to research, planning and preparation. - Teachers feel comfortable, confident and in charge of the classroom activities. - Students always know where to focus their attention — on the teacher. Drawbacks of a Teacher-Centered Classroom - This method works best when the instructor can make the lesson interesting; absent this, students may get bored, their minds may wander and they may miss key information. - Students work alone, missing potential opportunities to share the process of discovery with their peers. - Collaboration, an essential and valuable skill in school and in life, is discouraged. - Students may have less opportunity to develop their communication and crucial-thinking skills. Benefits of a Student-Centered Classroom - Education becomes a more shared experience between the instructor and the students, and between the students themselves. - Students build both collaboration and communication skills. - Students tend to be more interested in learning when they can interact with one another and participate actively in their own education. - Members of the class learn to work independently and to interact with others as part of the learning process. Drawbacks of a Student-Centered Classroom - With students free to interact, the classroom space can feel noisy or chaotic. - Classroom management can become more of an issue for the teacher, possibly cutting into instructional activities. - With less focus on lectures, there can be a concern that some students may miss important information. - Though collaboration is considered beneficial, this approach may not feel ideal for students who prefer to work alone. ‘Sage on the Stage’ vs. ‘Guide on the Side’ Sometimes called the “Sage on the Stage” style, the teacher-centered model positions the teacher as the expert in charge of imparting knowledge to his or her students via lectures or direct instruction. In this setting, students are sometimes described as “empty vessels,” listening to and absorbing information. Though the teacher-centered method is historically considered the more traditional approach, the education field has evolved to recognize the significant benefits of empowering students to be more active participants in their own learning. However, there continue to be countless examples of students being challenged and transformed by a teacher lecturing about a subject they have spent their entire life exploring. Sometimes called the “Guide on the Side” style, the student-centered model builds in more equanimity between the teacher and student, with each playing a role in the learning process. The teacher still exercises authority, but is more likely to act as a facilitator, coaching students and assisting them in their learning. This approach, which has grown in popularity over the past several decades, champions student choice and facilitates connections among students, embracing the philosophy that, for a student to truly learn, they must be actively involved in the process. ‘I Stood in Front of the Classroom and Told People Things’ Writing about her transition from teacher-centered to student-centered instruction for an article in Medium.com, educator Martha Kennedy recalls, “I began teaching as most young teachers do, unconsciously modeling my teaching style on that of the teachers I’d had. I stood in front of the classroom and told people things.” But in the mid-80s, she said, a “new idea” called student-centered education began to gain traction. As a writing teacher, she was aware of “the essential difference between teaching a skill and teaching content,” believing that while “you can tell people content; people must practice skills.” To learn a skill, like writing for example, “students must be directly involved,” she says. “No teacher can stand there and tell the students how to do something and expect the students to leave the classroom able to do it.” However, because the teacher must willingly relinquish some control of the process and count on students to produce, Kennedy says, “Student-centered teaching feels risky.” She recalls occasionally having to convince supervisors that her methods were sound, with one dean describing what appeared to be “total chaos” after sitting in on a four-hour class where students were haggling over ideas, some listening to music, taking breaks at times of their choosing and basically owning their approach to the assignment. She was able to convince the dean that listening to music helped some kids focus and that letting them take a breather when needed was preferable to potentially disrupting their train of thought with a scheduled group break. “Over the years I came to understand that the main virtue of the student-centered classroom is that it removes mastery from the sole province of the teacher and allows students to be masters, too,” she said. “It means I needed to — sometimes — leave them alone so they could learn. I understood that teachers can actually impede students’ learning.” Student-Centered Learning in the Online (M.Ed.) Classroom Many teachers strive to implement a blend of teacher-centered and student-centered styles – sometimes within the same classroom – based on their own instincts, research and experience. The student-centered approach to education also has relevance for teachers who choose to develop a deeper understanding of the art and science of education by pursuing a master’s degree. For example, in contrast to the more teacher-centered approach that is common to on-campus programs, online master’s degree programs tend to place more emphasis on interacting with one’s fellow degree candidates across the country through the learning portals that are an essential component of the online academic experience.
1,449
1,320
<gh_stars>0 import {BodyParamsFilter} from "../components/BodyParamsFilter"; import {ParamTypes} from "../interfaces/ParamTypes"; import {UseFilter} from "./useFilter"; /** * BodyParams return the value from [request.body](http://expressjs.com/en/4x/api.html#req.body) object. * * #### Example * * ```typescript * @Controller('/') * class MyCtrl { * @Post('/') * create(@BodyParams() body: any) { * console.log('Entire body', body); * } * * @Post('/') * create(@BodyParams('id') id: string) { * console.log('ID', id); * } * * @Post('/') * create(@BodyParams('user') user: User) { // with deserialization * console.log('user', user); * } * * @Post('/') * create(@BodyParams('users', User) users: User[]) { // with deserialization * console.log('users', users); * } * } * ``` * > For more information on deserialization see [converters](/docs/converters.md) page. * * @param expression The path of the property to get. * @param useType The type of the class that to be used to deserialize the data. * @decorator * @returns {Function} */ export function BodyParams(expression?: string | any, useType?: any): Function { return UseFilter(BodyParamsFilter, { expression, useType, useConverter: true, useValidation: true, paramType: ParamTypes.BODY }); }
514
359
This chain is wonderfully versatile. The sterling silver and gold filled round link chains complement each other nicely and there's a big silver bolt ring to hang your bits and fobs from. The extra long length gives you the ability to double it on wear it long. Details.....34" wearable length, the chain measures 3.8mm wide. The bolt ring measures 16.8mm across.
79
81
require 'gibbon' class MailingList Failure = Class.new(StandardError) SubscribeFailure = Class.new(Failure) UnsubscribeFailure = Class.new(Failure) def self.subscribe(params) new(params).subscribe end def self.unsubscribe(params) new(params).unsubscribe end attr_writer :api attr_reader :attributes def initialize(attributes, list_id = nil) @attributes = OpenStruct.new(attributes) @list_id = list_id end def subscribe api.lists.subscribe({ :id => list_id, :email => { :email => attributes.email }, :merge_vars => { :FNAME => attributes.contact_first_name, :LNAME => attributes.contact_last_name, :LEVEL => attributes.level, :SLEVEL => attributes.supporter_level, :COUNTRY => attributes.country, :TWITTER => attributes.twitter, :JOIN_DATE => attributes.join_date, :ORG_SECTOR => attributes.organization_sector, :ORG_NAME => attributes.organization_name, :ORG_SIZE => attributes.organization_size }, :double_optin => false, :update_existing => true }) rescue Gibbon::MailChimpError => e raise SubscribeFailure, e.message end def unsubscribe api.lists.unsubscribe( :id => list_id, :email => { :email => attributes.email }, :delete_member => true, :send_notify => false, :send_goodbye => false ) rescue Gibbon::MailChimpError => e raise UnsubscribeFailure, e.message end def api @api ||= Gibbon::API.new(api_key) end def api_key @api_key ||= ENV.fetch("MAILING_LIST_API_KEY") do raise ArgumentError, "MAILING_LIST_API_KEY is missing" end end def list_id @list_id ||= ENV.fetch("MAILING_LIST_LIST_ID") do raise ArgumentError, "MAILING_LIST_LIST_ID is missing" end end end
829
472
The All Progressives Congress (APC) presidential candidate, Bola Ahmed Tinubu has revealed his source of wealth, saying he inherited large numbers of real estate in Lagos. Tinubu spoke during an interview with BBC Africa, monitored by our correspondent on Tuesday, December 6, 2022. The former Lagos state governor who described himself as the only qualified candidate for the country’s top seat in 2023, also said none of the top contenders has the track record to compete with him in the forthcoming polls. He expressed optimism that next year’s polls will be free and fair. “Things are going very well. I’m very, very confident that this election will be free and fair. I’m the frontrunner and that’s why I’m getting many arrows. “My top priorities are security, and economic recovery to get accelerated development to get Nigerians employed and get inflation down. You know, monetary policy needs to be changed. Subsidy needs to be decided upon and then removed. “Insecurity in Nigeria is actually reduced and I will defend him (Buhari) for that. Then, 17 local and about 4 states where we had flags of foreign jihadists in Nigeria. That’s no more, that’s long gone. “To start chaos is easy, to bring normalcy and redecorate is more difficult. Here we are, Buhari has degraded but not completely eliminated ISWAP. We need mass recruitment of individuals in a volunteer army to really clean up. “I’m different. I am Bola Ahmed Tinubu. I have governed Lagos. I built a modern state that could be a country on its own. I’ve led an administration that’s so prudent from N600million internally generated revenue to N5 billion a month. “I was the most investigated, the most accused Governor in opposition up to, you know, for eight years, and up till 2007, and since I’ve left the office. I’m still there, I’ve not taken any government appointments. No government contracts.
455
411
A common grammatical feature that all the Celtic languages share. This write-up will focus almost exclusively on Irish, being that that's the only Celtic language with which I am personally familiar. The process involved is that, simply, words in the language will begin with a certain sound or phoneme, and that in certain situations, this sound will mutate or change slightly (or not so slightly) into a different but similar sound. Such changes are common in the phonology of most languages; for example, in English, the word house ends in an "s" sound, but in the plural form houses, this sound changes to a "z" sound. The distinction is that this is what is known as a phonologically-conditioned sound change; the "s" sound in houses is in a phonological environment which changes it to a "z" sound. (The "s" phoneme is placed in between two vowels, and vowels are always voiced- articulated in such a way that the vocal cords are vibrating- so the "s" sound itself becomes voiced, ie. it changes to a "z".) The phonological changes in the Celtic languages, though, are gramatically-conditioned, which is a far more rare and unusual process. That's to say that it's not the phonological environment which changes the sounds, but the presence or absence of certain grammatical factors, eg. whether a verb is in the present or past tense, or whether the noun follows a certain combination of prepositions. Here are some examples from Irish: The word bris (pronounced brish) is the verb root meaning "to break". It is of course conjugated to reflect the person, number, etc. For example, brisim (brishem) "I break", briseann sé (brishen shay) "he breaks", etc. But in the past tense, the word-initial mutation applies, and the initial "b" sound changes to a "v" sound. (Both "b" and "v" are labial sounds- sounds made with the lips- but "b" is an occlusive or a "stop", a sound in which the airflow is completely stopped briefly, while "v" is a fricative or continuant, a sound in which the airflow continues throughout the articulation.) So, bhris mé (vrish may), "I broke". This type of sound change is known in Irish as "aspiration", and it usually involves a stop changing into a continuant with a similar place of articulation. The second type of sound change in Irish is known as "eclipsis". Here's an example with the word "bord" (pronounced board), meaning "table". bord = a table ar an (air on) = on the but when joined, eclipsis applies, and they become: ar an mbord (air on moard), "on the table". Whereas aspiration usually involves a stop becoming a continuant, or a "hard" sound becoming a "softer" sound in very loose terms, eclipsis often involves a stop becoming nasalized. (In the example above, both "b" and "m", again, are labial sounds, but "b" is a pure stop, while "m" is a nasal sound as some airflow continues through the nasal passage even though the mouth is fully closed.)
712
695
Our tooth enamel consists of minerals such as calcium and phosphate. These minerals protect our teeth from decay. But we lose these minerals as we age and the lost minerals make our teeth susceptible to decay. A high sugar diet or eating excessive acidic food causes loss of tooth enamel. This loss of tooth enamel is known as demineralization. Let us understand how simple changes like using fluoride-based toothpaste, intake of low sugar diet, drinking lots of water, etc. can prevent demineralization of enamel. Remineralization of enamel Enamel is not an organic tissue like skin or bone which means we cannot regrow or restore enamel that we lose due to demineralization. But an inorganic compound, fluoride, is helpful in restoring the mineral constituents of teeth enamel. Fluoride is present in drinking water in small quantities, toothpaste, foaming gels and mouth rinse. Acids in the mouth are responsible for demineralization of enamel. So, when you brush your teeth with a fluoride toothpaste, the fluoride collects the minerals from saliva and helps teeth enamel absorb the minerals. We need a small quantity of fluoride for remineralization of our teeth enamel, so do not use extra fluoride products such as foaming gels without consulting your dentist. Excess fluoride intake can cause dental fluorosis. Role of saliva in remineralization of teeth enamel Saliva is the most important biological factor which neutralizes the effect of acids on teeth enamel. It acts as a constant source of calcium and phosphate and continually delivers fluoride to the enamel. Dry mouth can accelerate the rate of demineralization of enamel. That is why you need to get this condition treated if the saliva production is less. Home remedies to help remineralize teeth enamel Brush your teeth regularly Brushing helps in removal of bacteria. Streptococcus mutans is the primary cause of decay in the oral cavity. Food and drinks transmit bacteria to the oral cavity. Brushing helps to keep a check on bacterial overgrowth. Ideally, you should use a medium bristled toothbrush and brush twice daily along with flossing once daily. Use fluoride toothpaste to brush your teeth. Regular toothpaste doesn’t help in remineralization. Fluoride toothpaste also strengthens your teeth and thus make them less susceptible to future mineral loss. (1) Stop eating sugar If you have a sweet tooth, you may want to cut down on sugar intake. Sugar is acidic and interacts with harmful bacteria in the mouth causing loss of tooth enamel leading to decay and cavity formation. Not only chocolates or cakes but ketchup and other daily food items also contain sugar. Higher frequency in sugar consumption also causes demineralization. So, if you eat sugar-containing food or beverages in small amounts regularly, then you are causing more harm than someone who eats sugar-laden dessert once in a while. (2) Chew sugarless gum Chewing gum helps increase the rate of flow of saliva which in turn helps in remineralization of teeth enamel. Also, sugar-free gum helps clean food particles from teeth. When food particles stay stuck on the tooth surface, bacteria acts on them which lead to plaque formation and decay in the long run. (3) Eat citrus fruits in moderation Excess of anything is harmful. Though eating fruits is healthy but eating citrus fruits in excess can lead to loss of tooth enamel due to high acid content. Fruit acids cause calcium chelation which means the acid binds to the tooth calcium and strips it off the enamel surface. Juices are worse than fruits due to added sugars. Eat citrus fruits in moderation. The nutritional value of juice is not the same as that in the fruits due to the addition of water and sugar, so it is advisable if you limit your intake of juice. Eat calcium-rich food Calcium is produced in the teeth naturally, but with age and due to the activity of bacteria and acids, this mineral is stripped off from the tooth surface. Eating calcium-rich food is one way in which you can prevent loss of calcium from teeth. In case you have calcium deficiency (aging females in general experience calcium deficiency), talk to your doctor about calcium supplements. Water doesn’t contain sugar and isn’t acidic and cleanses you of toxins (not just the acid and bacteria in the mouth but toxins from the whole body ). After drinking tea coffee juice or any sugary item drink water or swish your mouth with water so that the acid doesn’t get the time to rip off minerals from the tooth enamel. Stay away from sodas since they are acidic and also contain sugar both of which do no good. Oral probiotic supplements Oral supplements of probiotic bacteria prevent decay of teeth and thus can be used to prevent the demineralization of teeth enamel. Probiotic bacteria prevent plaque formation and inhibit expression of virulent genes of Streptococcus mutans. Lactobacillus and Bifidobacterium are some of the known strains of probiotic bacteria which cause oral health benefit. Ice-cream, yogurt, milk, lozenges, etc. can act as vehicles to help administer probiotics. Over to you You cannot put a full stop to mineral loss neither can you stop eating. So, the middle ground to use fluoride-based toothpaste to brush your teeth, maintain good oral hygiene and keep a check on what you eat or drink. Apart from the above steps, you have to visit a dentist every six months to keep your teeth healthy.
1,187
1,118
Excerpt from: “On Call for Murder” by Paula Bernstein I woke to the alarm at six o’clock, still exhausted. I pried open my eyes and splashed my face with ice cold water, dreading my return to the hospital. When I got to the ICU, it was clear that Nina was worse. It broke my heart to look at her. She was in a coma and unresponsive to all but the most painful stimuli. “Pardon me, are you Dr. Kline?” I turned to see a stocky young man with Slavic features and thinning sandy hair. “I’m Alexander Markovic, Nina’s boyfriend. Can you tell me how she’s doing?” “Not well, I’m afraid, Mr. Markovic. We’re doing all we can.” “That bastard,” he hissed under his breath. “May I see her?” “She’s in room five,” I told him. When he emerged his eyes were damp and his fists clenched. “Where’s Avery?” “Dr. Avery hasn’t come in yet this morning.” “Give him a message. Tell him that if she dies, I’ll kill him.” His voice quivered, and his eyes were moist. He walked out before I could see him cry. I stared after him, shaken, wondering if I should repeat his threat. I couldn’t believe he would act on it. I began reviewing the chart again, not that I expected to learn anything new. There had been something on my mind all morning, just out of reach, and as I skimmed through yesterdays’ labs, I caught it. The Rochelle Staab Questions asked of Paula Bernstein What is the weirdest thing that ever happened to you in Los Angeles? I’m not sure I’d use the word “weird” but the scariest thing that happened to me in Los Angeles occurred the day after the 1994 Northridge Earthquake. I was in the operating room performing a caesarian section. I’d just delivered the baby and was about to sew up the bleeding uterine incision when there was a huge aftershock and all the lights went out. I stood there in the pitch dark, trying to figure out how to get the bleeding under control and wondering how long it would take the hospital generator to kick in. Do you have a yet-to-be realized L.A. dream? I dream that someone will invent a Star Trek transporter device that will make it possible to get from Brentwood to Pasadena in five minutes instead of in an hour of stop and go traffic. Why write short stories? Why write at all? What's in it for you? I write both short stories and novels. Writing is the way I exercise my right brain and explore my creative side. I write for fun and for pleasure. It’s been my avocation during all my professional years as a left brained physician, and since my retirement, it has surprisingly become my third career. What is the biggest challenge in writing to theme? For me it is making sure I do my homework and get all the facts correct. The medical part comes naturally but for anything out of my field I consult experts. Are the characters in your story based on you or people you know/met? The answer to that is yes and no. My main character Hannah Kline is an obstetrician practicing in Los Angeles, just like me. Hannah shares my opinions and has my sense of humor but her life is totally different. She is a young widow with a four year old daughter, and over the course of the books she develops a romantic relationship with a hunky LAPD detective. I’ve been happily married for almost 50 years to a lovely man who would probably disapprove of my having a romantic attachment to a good looking cop. Hannah’s love interest is completely fictional and many of the minor characters are as well. Occasionally I am inspired to create a character by someone I know or see for whom I can make up a totally fictional life story. Los Angeles is a patchwork quilt of different neighborhoods. Why did you pick the area you used for your story, and how did the neighborhood influence your writing? It is easiest to write authentically about what you know. My characters live and work on the west side of town, everyplace from West Hollywood to Santa Monica. That’s my ‘hood and I can describe it well. Are there scenes in your story based on real life—yours, hearsay, or a news story you read? All of the medicine in my story comes from my years of experience. I often fictionalize patient medical cases that were particularly interesting or dramatic. What came first, the character or the plot? In my first novel, Murder in the Family, the plot came first. I wanted to tell a fictionalized version of a close friend’s real murder that had affected me deeply. I invented the characters who eventually became Hannah and Daniel in order to tell that story. Writing the novel was my therapy and my way of coping with grief. However, after the first book, the characters took priority. Before deciding who got murdered, and in what world I wanted to set my next novel, I always asked myself what needed to happen to Hannah and Daniel’s relationship in that book. While you're writing: music (what kind?), dead silence, or…? Dead silence or I can’t concentrate. Favorite writing quote—yours or from someone else… My favorite quote comes from a cartoon sent to me by a fellow author. There is a dog, seated at a computer terminal. The caption is Sit, Stay. Your writing ritual begins with… Two lattes and the LA Times. About Dr. Paula Bernstein Dr Paula Bernstein is enjoying her third career as a mystery writer. She began as an inorganic chemist with a Caltech PhD, switched gears, went to medical school, and spent the next thirty years as an actively practicing obstetrician and gynecologist in Los Angeles. She is the author of Murder in the Family, Lethal Injection, Private School, The Goldilocks Planet, and Potpourri. Her short story, “On Call for Murder,” a prequel to the Hannah Kline series, was recently published in the Sisters in Crime/LA’s 2017 Anthology LAst Resort. Her newest Hannah Kline novel, In Vitro, was published in July 2017.
1,406
1,304
The historic journey this week of the ship Nordic Orion through the Northwest Passage and into Baffin Bay has highlighted the urgent need for the Harper government to act on its much delayed plans to strengthen Canada's infrastructure in the North, with ships and ports to assist what could become a new northern shipping industry. The Nordic Orion, loaded with coal bound for Finland, became the first bulk freighter to complete a passage through the fabled northern shipping route, at some point late Sunday or early Monday, shaving about 1,000 nautical miles from the usual southern route through the Panama Canal. While an increasing number of smaller ships have been passing through the northern route over the past six years, this journey was a step toward proving that the Northwest Passage could become a usable commercial shipping route for large cargo ships. The question, however, is whether Canada has the capability to monitor these ships – while providing adequate environmental safeguards in a sensitive environment – or to service them, if safety issues arise in these notoriously dangerous and remote waters. The Harper government laid out a northern strategy in 2007 that promised six to eight new armed icebreakers and a new deep-water port to service them. But funding for the ships has been delayed, and plans for the northern port were scaled back this year to a more modest refuelling station. A separate project announced in 2006 to purchase new search-and-rescue aircraft has also stalled. Beyond the practical benefits of being able to service ships that need help in the North, a commitment to northern infrastructure would also bolster Canada's disputed claims over the Passage; many other countries have asserted that these are international waters. Mr. Harper himself said in 2007 that the "first principle of Arctic sovereignty is: Use it or lose it," yet Canada's actions since then have signalled an opposite message. Budget constraints have undoubtedly been a factor in delaying the development of the promised new services, but the projects should not be delayed indefinitely, until they fall off the agenda. Better ships and modern planes are urgently needed in the North, even if bulk carriers are not plying those waters. The need will become even more acute as traffic grows.
434
434
I think it is probably for the best that the series is ending as some parties seemed less interested in it than others and hopefully this will lead to great new collabs, but at the same time I'm also a little disappointed. I sort of wanted them to work together to do one big building project rather than all work on completely separate things, but perhaps that was too hard to coordinate, I don't know. This ending seemed so sudden compared with last week where lots of plans for the future were still being thrown around.
105
106
Interspecific Variation in the Repair of UV Damaged DNA in the Genus Xiphophorus as a Factor in the Decline of the Rio Grande Platyfish The fish genus Xiphophorus consists of 26 species distributed along the eastern slopes of mountain ranges extending from northern Mexico to Belize and Nicaragua. We analyzed light‐dependent repair of UV‐induced DNA damage in at least two species from each of the four monophyletic Xiphophorus groups. We found that the northern platyfish had significantly reduced photoenzymatic repair compared to the other three groups, including the northern swordtails, southern platyfish and southern swordtails. All of the species of the northern platyfish, including the Marbled (meyeri), Northern (gordoni) and Monterrey Platyfish (couchianus) are the northernmost species in the genus and are the only three species in the genus that are currently found on the IUCN Red List of Threatened Species. Satellite data from the past 30 years (1979–2008) correlate greater increases in shorter wavelength UVB with higher latitudes within the Xiphophorus range. We suggest that, combined with other consequences of human population growth, anthropogenic deozonation resulting in a disproportionate increase in UVB in temperate latitudes may be a contributing factor in the decline and extirpation of the northern platyfish.
292
292
With physical injuries often having a knock-on effect where our mental health is concerned, writer Danielle de Wolfe switched pace for patience – by joining walking group Walk Talk Walk. As a runner, placing one foot in front of the other come rain or shine has long been my go-to form of therapy. A safe space in which to mull over dilemmas, rationalise anxieties and process the stresses of day-to-day life, nothing quite compares to running for allowing the mind to run free. The electrical charge being sent through my glute and down my leg unfortunately coincided with contracting Covid. After two years of (rather smugly) dodging the virus, it caught me – or rather, I caught it. It was as though my body had hit a wall and was finally saying “enough is enough”. As with many runners I’ve spoken to since contracting Covid, the long-lasting effects of the virus – primarily breathlessness – caught me off guard. When all obvious symptoms had subsided, I laced up, hit the pavements and… found myself gasping for air. Over the space of three weeks, I’d gone from running half marathon distances with ease to my lungs feeling as though they were on fire after a slow, thousand metre plod. So, how do you cope when the mental health crutch you’ve lent on for much of your adult life is suddenly taken away? The answer, in this instance, centred around walking. On a personal level, mental stress has always translated into a form of physical fuel. Running, by default, had become my coping mechanism, burning off the anxious energy. Knowing that I needed movement to mentally function, I signed myself up for a lunchtime stroll with exercise and mental health advocates Walk Talk Walk. I’d been fortunate enough to come across Run Talk Run back in 2017 after chancing upon Robson’s Instagram page. An avid runner living in London, Robson had founded a mental health initiative called Run Talk Run that involved weekly 5km jogs along the River Thames, starting and ending in Southwark, south London. Joining her runs at a time when the initiative was attracting a handful of people each week, the group became a safe space to share anxieties, vent about life and listen to the worries of your fellow humans while plodding along at the pace of the slowest member. It was, effectively, a peer-to-peer mental health support community based around exercise; Walk Talk Walk mirrors this premise. In the midst of my running frustrations, remembering that the group’s motto is about patience rather than pace proved invaluable. Creating the first Walk Talk Walk in November 2020, there are now 21 walking groups in existence – including two in the United States. Robson describes them as a “good entry point” for those dipping their toes into the exercise pool. There are other groups out there doing similar things too, like Mental Health Mates. Signing up using the Heylo app, I join their North Kensington branch on a sunny Monday lunchtime. Meeting in a local park described as a “hidden gem” by walk leader Sophie Elliott-O’Dea, I’m greeted with a friendly wave and told that the group is “never about pace”. Joined by one other walker, the three of us set off on 1km loops of the park, with the aim of completing 5km within the hour. “If it’s less, it’s less,” reassures Elliott-O’Dea with a smile. Chatting as we walk, it becomes clear that Elliott-O’Dea found herself in a similar position following Covid, substituting running for the slower pace and community spirit of Walk Talk Walk. Describing how leading this small, non-judgmental community in a corner of west London proved just the remedy, the benefits – both in terms of confidence and endorphins – are obvious to Elliott-O’Dea. “Walk Talk Walk is always going to get me outside and I always feel that I’m in a safe space – whether I’ve got much to say or not. It’s that sense of community that drives me,” says Elliott-O’Dea. It’s easy to see how the laid back nature of a weekday stroll can open up unexpected avenues of conversation. Despite being in the company of two relative strangers, the atmosphere is both welcoming and relaxed. The notable age gap between members and varied life experience means that conversation is interesting and packed full of handy tidbits of knowledge. Having met the group feeling a little on edge, the brisk pace, fresh air and glorious sunshine leaves me feeling remarkably serene. I’ve offloaded stresses I might have otherwise carried through the day and the option of talking to strangers allows for more objective discussion. And, as with running, there’s also a palpable rush of endorphins at the end. Sure, there’s nothing quite like a brisk run to shake off the cobwebs, but I’m now certain that walking should always be a consideration if pace is taken off the table. It’s an experience that can only be described as peer-led walking therapy meets rehab. “It’s about being in the company of people who ‘get it’,” smiles Elliott-O’Dea before we part ways.
1,154
1,063
On the occasion of the European Week for Waste Reduction, the MOB welcomes the association Zero Waste Saint-Ouen for an initiation workshop to zero waste. You will learn that the best waste is the one we do not produce. After a quick overview of the amount of waste produced in our homes in France, Anne and Camille from Zero Waste will suggest some ways to start reducing the size of your trash cans. Workshop offered free of charge upon registration.
95
92
While you probably didn't score a ticket to the Chance the Rapper-curated Obama Foundation Summit concert at Wintrust Arena on November 1, where indie-rockers the National will join a sure-to-be-star-studded lineup of musical guests, there's another chance to see the group. The House of Vans will host a free warm-up performance by the National on October 30 at 6:30pm and admission is totally free, though you'll need to win tickets through a lottery. The ticket lottery for the concert opened this morning and will close at midnight this evening. Enter via the House of Vans website and keep your fingers crossed—winners will be notified on Friday, October 27. The pair of shows around the Obama Summit won't be the National's only stop in Chicago this year. The band is currently touring behind its recent album Sleep Well Beast and will headline a two-night stand at the Civic Opera House on December 12 and 13. It should be a good couple of weeks for anyone who can't enough of Matt Berninger morose, politically-charged lyricism.
230
224
JOHNSON COUNTY, Iowa (KCRG) - Traveling along Black Diamond Road SW in rural Johnson County one can see a “village” that straddles Old Mans Creek. There’s about one home every half mile or so. The area is unincorporated, and the county wants to determine how this area, known as Windham Village, will be developed. There are different options for the boundaries of the village. “These are areas that have some historic development, are a little more dense, and a little more varied in use than most of our agricultural parts of the county,” said Johnson County Planning, Development, and Sustainability Assistant Director, Nathan Mueller. “And also to set some growth goals and basically some framework if land-owners do choose to develop their land in that village what it should look like and what type of land use would be appropriate.” Monday, November 14th, Planning and Zoning will host a commission meeting to hear even more from residents about what they want to see done. Their priorities in preservation so far deal with quality of life, land use and growth, and infrastructure and services. “If there’s going to be any commercial growth, what types of uses are appropriate, where should it be, things like that,” said Mueller. Currently, there are nine unincorporated villages in Johnson County. Plans to preserve eight of them have already been approved by the county.
310
287
When working with SharePoint Online or developing cloud friendly solutions, it can be tricky to replicate some functionality which is easily available on-premises. We had a scenario recently where the user should be able to set values for a Managed Metadata user profile property. Now if this was a farm solution, we could have used a variety of methods like User Controls, Taxonomy Pickers etc. But since this was a Provider Hosted App, all those options were not available to us. I knew that the Office Dev Patterns and Practices project has a cloud friendly taxonomy picker but that did not fit our requirements. It requires the creation of an App web in which sense it is not a "pure" provider hosted app. Also, there were some specific requirements around styling and business logic which meant that a custom Taxonomy Picker was the only way forward. And that's basically how it works from an end user perspective. 1) Pure provider hosted app. No App web required. If you are on-prem and in a big enterprise, this means that you don't have to wait for a wild card DNS entry to be setup. We all know how long that can take. This can be implemented as a pure provider hosted app because all calls to SharePoint are made by using CSOM in an MVC controller. 2) Complete control. Can be customized anyway you want. If you have specific business logic which needs to manipulate data before sending it to SharePoint, then you are easily able to do so. 3) Customisable UI: The jQuery Tag-It plugin is used in this taxonomy picker. It supports jQuery ui themes and a whole lot of other styling options. More about this in the Technical details section below. 2) At this time, it can only be used with user profile properties. If this has to work with Taxonomy fields in a list, you will have to modify the code but the principles behind the approach would stay the same. The completely awesome jQuery Tag-It plugin is used to present the terms as tags in the UI. It provides a wide variety of options for selecting tags. It accepts a JavaScript array of values to show auto-complete suggestions. Check out the plugin home page for more details. When the page loads, we need to get the skills for the current user to show them by default in the control, this can be done by making a simple call to the UserProfile Service. To show the auto-complete suggestions, the Tag-It plugin requires a JavaScript array of values. We will use a MVC controller to get the keywords from the Managed Metadata Service and pass the values as a JavaScript array to the plugin. You can use any other termset to get your values. It would also be a good idea to cache these values in the browser localStorage so you don't have to make a call to the Managed Metadata service every time the control loads. Thanks for reading! Hope you found this useful.
613
582
How to select the correct shooting head. In our last blog, we outlined the main differences between Skagit and Scandinavian shooting heads in terms of application and design. From short Skagit heads on one hand to long Scandinavian heads on the other but with so many variations in between, there are a lot to choose from. Why manufacture so many different shooting head models? Because conditions are not always as simple as ‘wind or no wind’, ‘fishing deep or fishing on the surface’ etc., as anglers we cannot dictate the conditions we are faced with on the water but must remain adaptable and shooting heads can certainly provide us an advantage. With adaptability in mind, we will look at the “middle ground” between traditional Skagit and Scandi shooting heads and describe some of the advantages associated with each. The following is a list of Airflo shooting heads from shortest to longest and what they are best suited for. We hope to create a basic understanding of the differences between different shooting heads and why you might want to use each in different situations and with different rods. As you read through this list, think about the weight of rods you’ll be fishing, the lengths of those rods, the places you fish and the flies you wish to employ. The shortest shooting head made by Airflo, this line is made predominantly for single-hand and shorter switch rods. They may also be used on longer rods with long sink tips. Short heads like this excel in tight quarters where room to place a back-cast is especially limited. The high mass/length ratio of the Skagit Scout and Skagit switch make them the best choice for turning over the heaviest sinktips and largest flies. Single-hand 5-11 weight, double hand 2-8 weight. The Skagit switch is like the Scout, though slightly longer and comes in heavier line weights. Made for Switch and shorter two-handed rods to cast in tight quarters and with long heavy tips. Double hand 7-9 weight. The Skagit compact is made purely for longer two-handed (Spey) rods. Once again designed for fishing sinktips and larger flies in tight places, however, not as tight as is possible with the Skagit Switch and Scout. The observable trend with these Skagit heads is the increase in head length to accommodate progressively longer rods. Double hand 6-11 weight. Rage Compact heads are longer than what would be considered a Skagit head, in fact they are closer in length to a compact Scandi head. The Rage heads are designed to cast tapered mono/fluorocarbon leaders but will also turn over polyleaders (floating or sinking) and moderately sized flies. These heads were developed primarily for anglers who want to cast (larger) dry flies for steelhead, even in windy conditions, but who are not proficient in touch-and-go casting techniques and hence prefer to use Skagit style casts. The Scandi Compact is great for surface or near-surface presentations utilizing Scandinavian or underhand touch-and-go casting techniques. Because this line is shorter than a traditional Scandi head, it can be used on shorter rods as well as in tighter quarters. Scandi heads can cast (relatively) farther than Skagit heads, but will not cast into the wind as well due to the their longer more delicate front taper. It is for this reason that Scandinavian heads will not effectively turn over the type of sinking tips one would use with Skagit heads, however, polyleaders (floating or sinking) are well adapted for use with these heads. Much the same as the Compact in terms of overall taper though longer for larger/longer two-handed rods. A long head like this gives you the advantage of making very long casts to cover a great deal more water thus potentially presenting your fly to more fish. Although having a collection of shooting heads may sound expensive, they are typically less expensive than full lines and when using a common running/shooting line, can provide you great versatility with only a single rod/reel versus the expense of having multiple rod/reel combinations rigged for various techniques/approaches. This, in and of itself can help make you a more productive angler as you will be able to adapt to varying conditions you may be confronted with while maintaining a more minimalist approach in terms of just how much tackle you will need to carry with you for a day on the water.
927
882
Dark Waters is that hint of the deep. It’s the darkness of the underwater. It’s the depth of the ocean, the magic of the tide. This Premo! polymer clay color recipe is perfect to add depth to your summer color palettes. Last week I brought you a fabulous Mermaid Teal color recipe that really made my heart sing. I’ve used it several times since then in my studio. Today’s color is another deep and dark color. I love dark colors that I can blend into palettes that need an “almost black.” Since Polyform did away with Navy this year, colors that are dark in color are truly lacking. Making these colors myself is always a high priority. Dark Waters is one of those dark colors. In addition mica adds a depth of sparkle, which adds uniqueness to it’s profile too. Add 2 parts additional Purple for more depth. Add 2 parts additional Blue vibrant oceanic color. Add 1 part additional gold for more sparkle.
215
201
Poetry of the Hudson An Introduction to the Exhibit By Ronald D. Patkus, Associate Director of the Libraries for Special Collections From Lake Tear of the Clouds in the Adirondack Mountains emerges the waterway that we know as the Hudson River. Fed by dozens of tributaries along the way, the river runs through the beautiful Hudson Valley southward to the Atlantic. Due to the influence of the ocean, the river for much of its length is actually a tidal estuary where salt water and fresh water flow together. The movement of tides in the river impressed Native Americans, who referred to this body of water as “the river that runs two ways.” In 1524 Giovanni da Verrazano became the first European to enter upper New York Bay. But in the fall of 1609 - 400 years ago - Henry Hudson and a crew of English and Dutch sailors became the first Europeans to explore the river more fully to the north. Eventually the river took on the name of the English captain, who had sailed for the Dutch East India Company. In later centuries, as we know, the river would play an important role in the development of the economy and collective imagination of the United States. In 2009, a number of educational and cultural institutions in the Hudson River Valley will observe the quadricentennial of Hudson’s voyage with various events and activities. Vassar College has planned a number of events to mark this historic occasion. The Frances Lehman Loeb Art Center hosts “Drawn by New York: Six Centuries of Watercolors and Drawings at the New York Historical Society” from August through November. It explores the history of drawing and watercolor in New York State, with special reference to the Hudson River Valley. From September until December, a complementary exhibit is on view in the Vassar College Library, titled “Poetry of the Hudson.” Our exhibit highlights examples of verse inspired by the river between the eighteenth and twenty-first centuries. Both the Main Library and the Archives and Special Collections Library have extensive literary collections, and the exhibit draws on poetry holdings from both areas. In fact, all of the Vassar College libraries, including the Music and Art Libraries, maintain materials relating in some way to the Hudson River Valley and the river in particular. When combined with collections available from other institutions in the Hudson Valley, the river-related resources available to Vassar students and faculty are considerable. In recognition of their long relationship with the river, the writings of local Native American tribes are featured first in the “Poetry of the Hudson” exhibit. We then move on to examples of the poetry of key figures in American literary history, as well as a few lesser- known writers whose work was influenced by the river. Though not a poem, Washington Irving’s story “Rip Van Winkle” is included because of its reference to the “lordly Hudson,” a poetic concept in itself, and one that has certainly influenced later poets. Reflecting a long history of river-related poetry, several of the poets included in the exhibit are contemporary writers who live and work in the Hudson Valley today. The exhibit concludes with examples of poetry written by students from the local area. The array of volumes in this exhibit allows one to compare books produced in the eighteenth and nineteenth centuries with more recent publications. Visually they are quite different, each showing modes of book production that are common for their time. We see, for instance, handsomely bound and decorated titles from the early nineteenth century displayed beside paperbacks and books with dust jackets from the twentieth century. Despite variation in era and format, these pieces form a bridge across the years, making it clear that the Hudson River has been a source of inspiration for centuries. Even more than the physical items in the cases, however, these writers’ verses, and the images they evoke, are the real focus of the exhibit. We trust that poetry inspired by the Hudson will continue to be written, for us and for generations to come.
829
812
Yogurt is a food product that’s widely consumed all over the world that’s produced by fermenting the milk using bacteria. Yogurt has been an appealing food for people of all ages. It is not only a delicacy but also contains various potential health benefits due to the live and active cultures it possesses. However, with more and more technological advancement in the food industry, the authenticity of yogurt, which is mainly defined by the live and active cultures it contains, is being brought down gradually. To give an overview, the bacteria that are used to ferment the yogurt are known as yogurt culture. These are important for multiple health benefits. These bacteria are the ones that lend the final product the texture and thickness it carries. A lot of factors determine how the yogurt will turn out, and these factors are primarily meant to save the live cultures, i.e, bacteria in the yogurt. For instance, it’s critical to maintain just the right temperature since the change in temperature beyond what’s required can easily kill the cultures. Table of Contents What Are Live Cultures in Yogurt? These days, with the advent of fast-moving eatables, we get frozen yogurt jars in the supermarket. To make these, the milk that’s used in fermenting the yogurt is pasteurized, which often kills the live cultures. To understand that, let’s first find out what are live cultures in yogurt. Live and active cultures in the yogurt, also called probiotics, are the healthy bacteria necessary to keep the health benefits of yogurt and keep the immune system working fine. In general, yogurt contains a lot of different materials like protein, calcium, potassium, and different vitamins necessary for the body like vitamin B and D. These, if combined with the live active cultures, exponentially increase the potential health benefits of yogurt. Now, originally, yogurt needs to be fermented using the bacteria Lactobacillus delbrueckii subsp. bulgaricus and Streptococcus thermophilus. These are important components of yogurt. However, as we mentioned before, some of the processing methods, with the type of heat used in the method, function to kill these bacteria. These thermophilus are highly beneficial and the extra heat devoids the yogurt of their benefits. Apart from these bacteria, yogurt can contain other live active cultures that are included in the fermentation process of the milk that’s turned into yogurt originally. These bacteria are Lactobacillus acidophilus, L. casei and Bicfidobacterium bifidum, among others. How Does It Work? How the process works is that to make yogurt, the milk is heated to around 85 degrees (Celsius) and then it’s made to cool down to a temperature of about 45 degrees (Celsius). After the milk has cooled down and reached the optimum temperature, the live culture is added. Then, the fermentation of the milk with the bacteria takes place for about 12 hours at a constant temperature of 45 degrees (Celsius). Any misadventure with this temperature is enough to kill off the most important bacterial cultures in the yogurt. The National Yogurt Association (NYA), through its Live & Active Culture seal initiative, has set its own rules for live and active cultures. So, all frozen yogurt sold in the market must have at least 100 million live active cultures per gram at the time of processing. Only if this condition is achieved can the yogurt manufacturers get the seal of National Yogurt Association, These live active cultures of the two main living organisms, Lactobacillus bulgaricus and Streptococcus thermophilus, along with other cultures like Lactobacillus acidophillus and Bifidus are killed when the yogurt is heat treated after fermentation. What Are the Benefits of Live Active Cultures? Different types of bacterial cultures, or as we technically call them — probiotics — can have different health benefits with respect to the physical being. Some may directly benefit a particular organ or some may benefit the immune system by increasing the defense function of the body. The live active cultures added in yogurt function the same way. For instance, according to research published in a leading European health journal, yogurt that contained the culture L. casei proved to be a lot more beneficial to the immune system of students appearing for their examinations. These cultures are also known to help more than just being a placebo. Some particular health benefits of the live cultures in yogurt are: In general, yogurt is a rich source of some of the most essential proteins, minerals and vitamins. The live active cultures in yogurt also work as probiotics helping the immune system. Some of these cultures have also been known to help in cancer treatment, as has been revealed by extensive research. Not to mention, these live active cultures in yogurt actively work to strengthen the bones and prevent osteoporosis. Difference Between Heat-Treated and Live Active Cultures Yogurt The main thing to remember while buying processed yogurt is whether it contains live active cultures or it’s heat treated. Heat-treated yogurt is processed using heat after it’s fermented which damages the live cultures. The National Yogurt Association has explicitly laid down the guidelines for the quantity of cultures that yogurt must contain when it is being manufactured according to the health benefits these cultures offer. To make sure that you buy only the yogurt that contains live active cultures, you need to seek out the products that have the official Live & Active Cultures seal of the National Yogurt Association certifying the presence of adequate live active cultures in yogurt. A valid question to ask here would be that if the live active cultures in yogurt are so beneficial, why do manufacturers heat treat the yogurt in the first place. This is primarily for the commercial success of the product since the heat treatment increases the longevity of the food product and reduces the natural sourness that it possesses. Many side products of yogurt are devoid of these cultures, including yogurt pretzels and candies. The Live & Active Cultures yogurt seal program is a voluntary initiative and the only way for the manufacturers to get the seal of the association is by presenting a lab report as evidence of the live active cultures in yogurt produces. Popular Brands of Live Culture Yogurt Different brands offer different types of yogurt. Some may include live cultures while some may be heat treated. Some popular live culture yogurt brands that contain beneficial bacteria like L. acidophillus include the following: It’s important to know live culture yogurt from the heat-treated one, especially if you are a regular consumer of yogurt.
1,369
1,316
Lady Kings top San Luis Coach Mary Kaye Garcia and the Kofa Lady Kings find themselves walking the tight rope; between potentially going to the AIA playoffs or missing the postseason dance all together. The three remaining regular season games will determine their fate, starting with their last road game against San Luis. The Lady Kings continued their dominance over the Sidewinders, coming away with a 63 to 25 win. Kofa's regular season record stands at 11 and 4, with their two remaining games against Lake Havasu and Cibola; both at Rillos Gym. Photo Gallery KYMA VIDEO Watch KYMA news, sports and more! Watch KYMA news, sports and more!
146
146
I never said anything about a soul. Where does that come from? All I am saying is that the brain can understand and store non-numerical information and the computer cannot. This allows the brain to understand things that the computer cannot possibly understand. I think the divide is our assumptions about language emulation. In your first message you stated that it would be important for AI to understand “religion, mindfulness, and transcendentalism”. It seems that you are running the assumption that emulating a language involves emulating meaning from language. Based on how language AI and computers works, that is inherently incorrect, as again, there are concepts and meaning in languages that are inherently indescribable by numbers. Therefore, it is impossible for a machine that runs exclusively off of numbers to emulate meaning that cannot be described by numbers. When it emulates languages, it copies language patterns absent of the meaning of the words or string of words.
193
188
For countries rich in minerals and hydrocarbons, natural resources should provide an essential source of financing for development. However, in many cases, exploitation of such resources is linked to poverty, inequality, poor public services, and stunted economic growth. Revenues from extractive industries represent a real opportunity as a complementary source of financing for achieving the development objectives of many countries. Using extractive revenues to produce teachers, midwives, medicines, clean water supplies, and sanitation should be a priority task. This report analyses the main negative impacts on social, environmental, economic, and institutional conditions of a high dependence on extractive industries. It examines the often unfair distribution of profits between private companies and governments and the poor targeting of public spending in resource-rich countries. Oxfam International recommends a range of measures to bring about the changes that are needed to raise transparency standards throughout the extractive industries value chain. Governments should work with the private sector and civil society to: - Upgrade legal and fiscal frameworks and renegotiate contracts with companies when needed; - Establish or reinforce public financial management systems where extractive industry revenues can be prioritised for social spending; - Minimise the social and environmental impacts of extractive projects. These measures require: - Transparency all along the extractive industries supply chain; - Democratic public oversight and participation in the process (through the involvement of civil society and parliaments); and - Effective public institutions and mechanisms for control, monitoring, and sanctions where necessary.
309
297
Families who receive funding through the Special Services at Home (SSAH) program or Assistance for Children with Severe Disabilities (ACSD) program often wish to hire an in home worker for their child. The worker contracts with the family to provide regular hours of service. During this time the worker spends time with the child to develop skills, build relationships, participate in the community and work on specific goals. If Family Respite Services is administering the funds for the family we assist the family to recruit a worker. Once the family selects the worker, they become an employee of FRS. A Family Coordinator from FRS provides support and resources to the family and the worker. In home workers typically work for 3-10 hours each week, depending on the amount of funding granted to the child. Contracts are arranged with workers for up to a one year period. Families who need this service may live anywhere in Essex County. Workers must be screened through FRS, including a police clearance, references and completion of the Respite Care on line training course. Families who administer their SSAH funds themselves may recruit an in home worker using the resources of respiteservices.com. In these situations, the in home worker is not an employee of FRS. How do you become an in home worker? Alexandria Fischer |||PHONE_NUMBER||| ext.156 to get registered for the on line training course and discuss your interest and qualifications.
310
291
More than 250 students of Class 8 and 12 each come for the exam at the same time. said that since the ‘external’ exams are being held for the first time, had promised to explore all possibilities within a Constitutional framework to facilitate the construction of the temple, While the BJP, in its editorial on February 8,” Telangana solution Commenting on the complexities of a possible solution of the Telangana issue, I never thought I’d top the class when I came here. 2015 12:36 am Cadet Jitender Kumar also bagged the Chief of Naval Staff Trophy presented by Admiral OS Dawson,s decision to convert the plot reserved for a playground.which allowed handing over of land to private players for construction of educational institutions at cheap rates. Trouble began after a local television channel reported that the “godman”. The report further claimed that Sarathi Baba ate tandoori chicken and drank whiskey. Also read: Govt trying to ‘mislead’ people on Land Act, all from Bihar, he cannot be visited with penal consequences. “The effect of omission of the name of the persons accused in the complaints from the notice issued by M K Sharma, considering the MNS is Sena’s rival in Maharashtra. Party insiders have indicated that the Gadkari-Raj meeting had pushed the BJP in a piquant situation over its relationship with Shiv Sena, For all the latest India News, For all the latest India News, In a bilateral meeting with John Kerry. Do you like this story Sushil Modi said the future NDA government would also provide free LPG gas connection to BPL families.22 metric tonnes of confiscated ore which was lying unaccounted outside several lease areas.” the Chief Minister added.
372
355
A modern twist on a collapsible water container, the Reliance Aqua-Sak Water Container is the most compact 5 gal. / 20L collapsible in the market. It can be quickly filled through the spigot opening, and collapses down to a minimal 4 square and weighs only 1.8 lbs. (0.8 kg). The handle features a comfort grip sock for easy carrying. Integrated spigot with On/Off valve and puncture resistant nylon material is FDA food approved.
100
104
Thiruvananthapuram: The ongoing investigations against suspended bureaucrat M Sivasankar in connection with the gold smuggling case will not affect the government, Kerala Chief Minister Pinarayi Vijayan has said. “How will it affect the government? I have said many times that the investigations will take their own course,” he said. Sivasankar was removed as Vijayan's principal secretary and as the IT secretary over his alleged links to some of the main accused in the diplomatic baggage gold smuggling case. He has been interrogated by the National Investigation Agency (NIA), which is investigating if the racket had any terror links. When asked about Ramesh Chennithala’s demand that he should resign as the chief minister’s office has emerged as the source of corruption, Vijayan said he cannot comment on the "mental state" of the leader of the opposition. “He wants to get the Chief Minister’s post vacated somehow. Is that going to become a reality? He makes many such statements daily,” the CM said.
227
210
Currently in Kerrville TX (Low 41 Plenty of Sun High 79) Recently while we were in Claremore Oklahoma we visited the Will Rogers Memorial. Here is an exterior view from the web. Will Rogers was born nearby in what was Indian Territory in 1879. An expert cowboy and rope trick artist he started out in Vaudeville. Then it was on to the Ziegfield Follies. From there it seemed there was nothing that Will Rogers was not involved in. He starred in silent movies then talkies while also writing a daily newspaper column. Tragically Will Rogers was killed in an airplane crash in Alaska in 1935 and buried in California where he lived at the time. After much discussion as to the location of the memorial it was decided that Claremore would be the site on property purchased by the family about 20 years earlier. This is what greets you at the entrance. We first saw a great documentary in the theater. When that was completed a storyteller took the stage and told some of the history and did some rope tricks that Will Rogers was famous for. Some interior views.
225
227
Many people struggle with what they want to do in their life. Constant thoughts of 'am I happy?' And 'what are my options?' would repeatedly play in one's mind. Whether it's a personal or a professional struggle, we often find these questions floating within us. For Elisabetta, an artist based in Berlin, Germany, she realized she could be many different things! But being one who's tried jobs in dissimilar industries, there was one constant thing in her life: Art. "My name is Elisabetta Lombardo. I originally started Mesh & Cloth as a creative outlet from my job in technology. I have always felt like an artist at heart. I worked as a photographer for a while and I am drawn to the tactile nature of materials. With Mesh & Cloth, I want to bring beauty into the world, in a way that is uniquely me, through ceramics and botanical prints. I am currently working on my first ceramic collection for the kitchen, which is inspired by family recipes and gatherings with friends." Doing things alone can be difficult. It's important to surround yourself with people that can encourage you. Elisabetta is thankful for her mentors who helped her navigate through her journey. "One of the biggest challenges for me has been gaining confidence in using my voice, letting people into my life, and showing them why I do what I do. It has taken years to find my voice, and I am very thankful to my mentors along the way." "Be patient! It will take time to figure out the right marketing strategy, the right message, the right voice. It is not an overnight process, but persevering will pay off!" Elisabetta works with photography, paper, fibres and ceramics to make beautiful things that invite you to dream. She pulls inspiration from the art that surrounds her. "I am inspired by photographs I take, poems, music, stories, themes in my life, and interesting patterns in nature." "The combination of imagery, ceramics and words." "It has to be the clay kit, because it came out of my desire to help as many people as possible get creative at home in this difficult time we’re in. Clay has been a life-saver for me. It has helped me through depression and I wanted to bring that to others." "My favourite story is from a customer who had painstakingly taken screenshots of my wrapping paper designs months before ordering them. She was truly moved by them and had been thinking about how to use them for her gift-giving." "So many people are inspiring to me! I am admiring @lulapottery, @sparrowandco and @hername_ismud" Elisabetta makes and packages all of her products by hand in her studio in Berlin. She creates and works with our planet in mind and believes that we should all take care of it. "Sustainability is a big part of my business. When it comes to my paper products, while I have a few printed wrapping paper designs, the majority of my botanical paper comes in printable format, to reduce waste for both me and my customers. I believe in leaving the world better than I found it. With Mesh & Cloth, I source materials from local suppliers as much as I possibly can, I reuse packaging material, and when I need to use new, I source recyclable materials. Part of this has been shifting to use noissue tissue paper to wrap my products, and recently I have also ordered your biodegradable mailers, so that I can shift to using those when I need an extra layer." Custom packaging makes an unboxing experience better as it is tailored specifically for you. It fits the products perfectly and gives the customer a feel of your brand. That's why Elisabetta knew that it was the way to go. "Custom packaging really brings the experience together for my customers and communicates who I am. I had my eye on noissue for a long time and when the right time came, I was really happy to order." "I choose noissue because I love that it is sustainable and that it places small businesses front and center in its marketing. It felt like it was speaking to me. The design process was incredibly easy!" Items collected on the beach and a book about the Isle of Skye" We caught up with Audrey Gater, Seed & Sprout's Head of Marketing, to chat home-composting tips, new product development, and why they launched an online publication.
952
897
I’m ten chapters of twenty-three through Misti’s edit of ASCENSION POINT, and loving it. Every comment and suggestion makes sentences, scenes, chapters just so much… tighter. The story is getting leaner and meaner by the minute. I’m super-excited about getting the edits finished this week, and I’ve got plenty of time on my hands to do it as lovely wife is in New York for a conference. Once I’m done, it’s back to Misti for an edit of my changes, then back to me, back to her, etc. until THE CHANGES ARE NO MORE. And then, oh boy.
149
131
Infixes are used in Nunavut’s eastern dialects to mark an event as past, present or future: He/she travelled in 2010. past (yesterday or earlier) He/she left yesterday. past (earlier today) He/she left this morning. He/she is leaving right now. present (the state one is in as the result of an action/event) He/she is out of town right now. future (later today) He/she is departing this afternoon. future (tomorrow or later) He/she is departing tomorrow. He/she will not be coming. There are other affixes related to the passage of time: to do something ahead of time/early He/she went to sleep early. to do something late He/she got up late. The passive voice is used when one wants to emphasize the person at the receiving end of an action. The person performing the action is unimportant and does not need to be mentioned. The affix –jau– / –tau– changes a verb from the active to the passive voice: Ningiup Kaugjagjuk ikajuqtanga. (active voice) The old woman helps Kaugjagjuk. Kaugjagjuk ikajuqtaujuq. (passive voice) Kaugjagjuk was helped. Ikajuqtaujunnalaunngittuuk. (passive voice) The two of them could not be helped. If the person performing the action is mentioned in a passive sentence, the noun takes the ending -mut / -nut: Kaugjagjuk ikajuqtaujuq ningiurmut. Kaugjagjuk was helped by the old woman. The affix -sima- The affix –sima– is used to describe the state resulting from a completed action: It is closed. The house has been cleaned. The tanks are filled.
736
397
surfaces that produce palisade and "shrub" fabrics, respectively. At finer scales, composite fabrics are seen to consist distinctive associations of microstructures formed by the encrustation of individual cells and filaments. Composite fabrics survive the diagenetic transitions from primary opaline silica to quartz and are known from subaerial thermal spring deposits as old as Lower Carboniferous. However, fossil microorganisms tend to be rare in older deposits, and are usually preserved only where cells or sheaths have been stained by iron oxides. In subaqueous mineralizing springs at lower temperatures, early infilling leads to a more rapid and complete reduction in porosity and permeability. This process, along with the slower rates of microbial degradation at lower temperatures, creates a more favorable situation for organic matter preservation. Application of this taphonomic model to the Rhynie Chert, previously interpreted as subaerial, suggest it was probably deposited in a subaqueous spring setting at lower temperatures. Min, Gao; Yatim, N. M. Heat flow through a thermoelectric material or device can be varied by an electrical resistor connected in parallel to it. This phenomenon is exploited to design a novel thermal component-variable thermal resistor. The theoretical background to this novel application is provided and an experimental result to demonstrate its feasibility is reported. An analytical method was derived for the thermal consolidation of layered,saturated porous half-space to variable thermal loading with time. In the coupled governing equations of linear thermoelastic media, the influences of thermo-osmosis effect and thermal filtration effect were introduced. Solutions in Laplace transform space were first obtained and then numerically inverted. The responses of a double-layered porous space subjected to exponential decaying thermal loading were studied. The influences of the differences between the properties of the two layers (e.g., the coefficient of thermal consolidation, elastic modulus) on thermal consolidation were discussed. The studies show that the coupling effects of displacement and stress fields on temperature field can be completely neglected, however, thc thermo-osmosis effect has an obvious influence on thermal responses. 9 CFR 318.302 - Thermal processing. ... 318.302 Animals and Animal Products FOOD SAFETY AND INSPECTION SERVICE, DEPARTMENT OF AGRICULTURE AGENCY ORGANIZATION AND TERMINOLOGY; MANDATORY MEAT AND POULTRY PRODUCTS INSPECTION AND VOLUNTARY... Canning and Canned Products § 318.302 Thermal processing. (a) Process schedules. Prior to the processing... ... INSPECTION AND CERTIFICATION POULTRY PRODUCTS INSPECTION REGULATIONS Canning and Canned Products § 381.302... 9 Animals and Animal Products 2 2010-01-01 2010-01-01 false Thermal processing. 381.302 Section 381.302 Animals and Animal Products FOOD SAFETY AND INSPECTION SERVICE, DEPARTMENT OF AGRICULTURE... Full Text Available The paper presents the spatial and temporal variability of thermal continentality in Central Europe. Gorczyński’s and Johansson-Ringleb’s formulae were used to derive the continentality index. The study also looked at the annual patterns of air temperature amplitude (A, a component of both of these formulae, and D; the difference between the average temperatures of autumn (Sep.-Nov. and spring (Mar.-May. Records of six weather stations representing the climate of Central Europe were included in the study covering the period 1775-2012 (Potsdam, Drezden, Prague, Vienna, Krakow, Debrecen. The highest continentality index was found in Debrecen and the lowest in Potsdam. The continentality index fluctuated with time with two pronounced dips at the turn of the 19th century and in the second half of the 20th century. The highest continentality index values were recorded during the 1930s and 1940s. Arostegui, E.; Aparicio, M.; Herzovich, P.; Wenzel, J.; Urrutia, G. A method to evaluate the different systems performance has been developed and is still under assessment. In order to perform this job a process computer upgraded in 1992 was used. In this sense and taking into account that the resolution and stability of instrumentation is higher than its accuracy process data were corrected by software. In this was, much time spent in recalibration, and also human errors were avoided. Besides, this method allowed a better record of instrumentation performance and also an early detection of instruments failure. On the other hand, the process modelization, mainly heat and material balances has also been used to check that sensors, transducers, analog to digital converters and computer software are working properly. Some of these process equations have been introduced into the computer codes, so in some cases, it is possible to have an ``on line`` analysis of process variables and process instrumentation behaviour. Examples of process analysis are: Heat exchangers, i.e. the power calculated using shell side temperatures is compared with the tube side values; turbine performance is compared with condenser water temperature; power measured on the secondary side (one minute average measurements optimized in order to eliminate process noise are compared with power obtained from primary side data); the calibration of temperatures have been made by direct measurement of redundant sensors and have shown to be the best method; in the case of pressure and differential pressure transducers are cross checked in service when it is possible. In the present paper, details of the examples mentioned above and of other ones are given and discussed. (author). 2 refs, 1 fig., 1 tab. STATISTICAL OPTIMIZATION OF PROCESS VARIABLES FOR ... Nov 3, 2012 ... The osmotic dehydration process was optimized for water loss and solutes gain. ... basis) with safe moisture content for storage (10% wet basis) [3]. Due to ... sucrose, glucose, fructose, corn syrup and sodium chlo- ride have ... Brownell, L.E.; Isaacson, R.E.; Kupfer, M.J.; Schulz, W.W. Eyler, L.L.; Elliott, M.L.; Lowery, P.S.; Lessor, D.L. Cady, S. L.; Farmer, J. D. Bukhmirov, V. V.; Kolibaba, O. B.; Gabitov, R. N. The convective drying process of municipal solid waste layer as a polydispersed multicomponent porous structure is studied. On the base of the experimental data criterial equations for calculating heat transfer and mass transfer processes in the layer, depending on the humidity of the material, the speed of the drying agent and the layer height are obtained. These solutions are used in the thermal design of reactors for the thermal processing of multicomponent organic waste. This paper presents the study of Jeffrey fluid flow by a rotating disk with variable thickness. Energy equation is constructed by using Cattaneo-Christov heat flux model with variable thermal conductivity. A system of equations governing the model is obtained by applying boundary layer approximation. Resulting nonlinear partial differential system is transformed to ordinary differential system. Homotopy concept leads to the convergent solutions development. Graphical analysis for velocities and temperature is made to examine the influence of different involved parameters. Thermal relaxation time parameter signifies that temperature for Fourier's heat law is more than Cattaneo-Christov heat flux. A constitutional analysis is made for skin friction coefficient and heat transfer rate. Effects of Prandtl number on temperature distribution and heat transfer rate are scrutinized. It is observed that larger Reynolds number gives illustrious temperature distribution. Effects of thermal processing by nanofluids on vitamin C, total phenolics and total soluble solids of tomato juice. In this research, our main idea was to apply thermal processing by nanofluids instead of conventional pasteurization processes, to shorten duration of thermal procedure and improve nutritional contents of fruit juices. Three different variables of temperature (70, 80 and 90 °C), nanofluid concentration (0, 2 and 4%) and time (30, 60 and 90 s) were selected for thermal processing of tomato juices by a shell and tube heat exchanger. The results demonstrated that 4% nanofluid concentration, at 30 °C for 30 s could result in 66% vitamin C retention of fresh juice while it was about 56% for the minimum nanofluid concentration and maximum temperature and time. Higher nanoparticle concentrations made tomato juices that require lowered thermal durations, because of better heat transfer to the product, and total phenolic compounds dwindle less severely; In fact, after 30 s thermal processing at 70 °C with 0 and 4% nanoparticles, total phenolic compounds were maintained by 71.9 and 73.6%, respectively. The range of total soluble solids for processed tomato juices was 5.4-5.6, meaning that nanofluid thermal processing could preserve the natural condition of tomato juices successfully. Based on the indices considered, a nanofluid thermal processing with 4% nanoparticle concentration at the temperature of 70 °C for 30 s will result in the best nutritional contents of final tomato juices. Damage mechanisms in hot metal forming processes are accelerated by mechanical stresses arising during Thermal and mechanical properties variations, because it consists of the materials with different thermal and mechanical loadings and swelling coefficients. In this work, 3D finite element models (FEM) are developed to simulate the effect of Temperature and the stresses on the model development, using a general purpose FE software ABAQUS. Explicit dynamic analysis with coupled Temperature displacement procedure is used for a model. The purpose of this research was to study the thermomechanical damage mechanics in hot forming processes. The important process variables and the main characteristics of various hot forming processes will also be discussed. Repeated measurements using thermal infrared remote sensing were used to characterize the change in canopy temperature over time and factors that influenced this change on 'Conference' pear trees (Pyrus communis L.). Three different types of sensors were used, a leaf porometer to measure leaf stomatal conductance, a thermal infrared camera to measure the canopy temperature and a meteorological sensor to measure weather variables. Stomatal conductance of water stressed pear was significantly lower than in the control group 9 days after stress began. This decrease in stomatal conductance reduced transpiration, reducing evaporative cooling that increased canopy temperature. Using thermal infrared imaging with wavelengths between 7.5 and13 μm, the first significant difference was measured 18 days after stress began. A second order derivative described the average rate of change of the difference between the stress treatment and control group. The average rate of change for stomatal conductance was 0.06 (mmol m-2 s-1) and for canopy temperature was -0.04 (°C) with respect to days. Thermal infrared remote sensing and data analysis presented in this study demonstrated that the differences in canopy temperatures between the water stress and control treatment due to stomata regulation can be validated. Kumar, Rakesh; Rao Ratnala, Srinivas; Veeresh Kumar, G. B.; Shivakumar Gouda, P. S. It is great importance in the use of X-rays for medical purposes that the dose given to both the patient and the operator is carefully controlled. There are many types of the X- ray tubes used for different applications based on their capacity and power supplied. In present thesis maxi ray 165 tube is analysed for thermal exhaust processes with ±5% accuracy. Exhaust process is usually done to remove all the air particles and to degasify the insert under high vacuum at 2e-05Torr. The tube glass is made up of Pyrex material, 95%Tungsten and 5%rhenium is used as target material for which the melting point temperature is 3350°C. Various materials are used for various parts; during the operation of X- ray tube these waste gases are released due to high temperature which in turn disturbs the flow of electrons. Thus, before using the X-ray tube for practical applications it has to undergo exhaust processes. Initially we build MX 165 model to carry out thermal analysis, and then we simulate the bearing temperature profiles with FE model to match with test results with ±5%accuracy. At last implement the critical protocols required for manufacturing processes like MF Heating, E-beam, Seasoning and FT. The precipitation process is important not only to hydrometeorology but also to renewable energy resources management. We use a dataset consisting of daily and hourly records around the globe to identify statistical variability with emphasis on the last period. Specifically, we investigate the occurrence of mean, maximum and minimum values and we estimate statistical properties such as marginal probability distribution function and the type of decay of the climacogram (i.e., mean process variance vs. scale). Acknowledgement: This research is conducted within the frame of the undergraduate course "Stochastic Methods in Water Resources" of the National Technical University of Athens (NTUA). The School of Civil Engineering of NTUA provided moral support for the participation of the students in the Assembly. Korinko, Paul S.; Tosten, Michael H. Full Text Available Studies on thermal decomposition of ceramic powder with a general formula of (La1-x Ba x (Co0.8 Fe0.2O3 have been achieved. Precursors as nitrate solutions with additive of EDTA as complexion agent are used for powder processing. The black powders obtained are dried and their thermal evolution up to 1000ºC has been investigated by Differential Thermal Analysis. The powders was analyzed by EDX and ICP- AES, as well. It was established that the powder compositions are very close to the nominal one. The resulting DTA, TA, TG and DTG curves are analyzed as function of the composition and heating rate applied. At polythermal scanning regime three regions the powder thermal evolution are discussed. The correlation dependence has been examined for both Sr- and Ba- doped multicomponent lanthanide samples. The multicomponent nature of the samples have been shown on the base of the thermal treatment applied and XRD phase control carried out. Se han realizado estudios sobre la descomposición térmica de polvos cerámicos de fórmula general (La1-x Ba x (Co0.8 Fe0.2O3. Se utilizaron como precursores soluciones de nitratos con EDTA como agente acomplejante. La evolución térmica del polvo negro obtenido se estudió hasta la temperatura de 1000 ºC por medio de análisis térmico diferencial. Los polvos se analizaron así mismo por EDX e ICP-A ES. Se estableció que la composición de los polvos esta muy próxima a la composición nominal. Se distingue tres regímenes en la evolución térmica. Se examina la dependencia con el contenido en lantanidas multicomponentes de pulsos con Sr y Ba. La naturaleza multicomponente se ha mostrado sobre la base del tratamiento térmico empleado y el análisis de las fases cristalinas. Murillo, R.; Aylon, E.; Navarro, M.V.; Callen, M.S.; Aranda, A.; Mastral, A.M. Gómez-Leal, I.; Selsis, F.; Pallé, E. 33 methods involving the use of neutron noise and that of intimately related primary system variables are described. Emphasis is on the applicability of a method to current needs of commercial power plants. Practical suggestions are given on how plants might make better use of this still-developing technology via those methods which have been well-proven. 22 refs. Zhou, C.Z.; Warburton, W.K. Chan, W. T.; Sim, K. S.; Tso, C. P. This paper presents the results of a study on the reliability of the thermal imager compared to other devices that are used in preventive maintenance. Several case studies are used to facilitate the comparisons. When any device is found to perform unsatisfactorily where there is a suspected fault, its short-fall is determined so that the other devices may compensate, if possible. This study discovered that the thermal imager is not suitable or efficient enough for systems that happen to have little contrast in temperature between its parts or small but important parts that have their heat signatures obscured by those from other parts. The thermal imager is also found to be useful for preliminary examinations of certain systems, after which other more economical devices are suitable substitutes for further examinations. The findings of this research will be useful to the design and planning of preventive maintenance routines for industrial benefits. Whipple, J. M.; Haynes, R. B. A thermal infrared scanning program was conducted in the Lake Ontario Basin region in an effort to determine: (1) limonologic data that could be collected by remote sensing techniques, and (2) local interest in and routine use of such data in water management programs. Difficulties encountered in the development of an infrared survey program in New York suggest that some of the major obstacles to acceptance of remotely sensed data for routine use are factors of psychology rather than technology. Also, terminology used should suit the measurement technique in order to encourage acceptance of the surface thermal data obtained. Thermal curing of epoxy resin requires high temperature, time-consuming process and the volatilization of hardener. It has known that electron beam curing of epoxy resin is a fast process and occurs at low or room temperature that help reduce residual mechanical stresses in thermosetting polymers. Diepoxidized cardanol (DEC) can be synthesized by an enzymatic method from cashew nut shell liquid (CNSL), that constitutes nearly one-third of the total nut weight. A large amount of CNSL can be formed as a byproduct of the mechanical processes used to render the cashew kerneledible and its total production approaches one million tons annually, which can be bio-degradable and replace the industrial thermosetting plastics. It is expected that DEC may be cured as in an epoxy resin, which was constituted on two epoxide group and long alkyl chain, and two-types of onium salts (cationic initiator) were used as a photo-initiator. The experimental variables of this study are type and concentration of photo-initiators and electron beam dosage. In this study, the effects of initiator type and concentration on the cure behavior and the thermal properties of DEC resin processed by using electron beam technology were studied using FT-IR, TGA, TMA, DSC, and DMA. Figure 1 is the FT-IR results, showing the change of chemical structure of pure DEC and electron beam cured DEC. The characteristic absorption peak of epoxide group appeared at 850cm{sup -1}. The shape and the height were reduced when the sample was irradiated with electron beam. From this result, the epoxide groups is DEC were opened by electron beam and cured. After then, electron beam cured DEC was investigated the effect of forming 3-dimensional network. Ezzat, M.A.; El-Bary, A.A. This study presents tests concerned with welding thermal process-induced precipitation processes taking place in 10 mm thick steel S700MC subjected to the Thermo-Mechanical Control Process (TMCP) with accelerated cooling. The thermomechanical processing of steel S700MC leads to its refinement, structural defects and solutioning with hardening constituents. Tests of thin foils performed using a transmission electron microscope revealed that the hardening of steel S700MC was primarily caused by... McKeever, S.W.S.; Markey, B.G.; Lewandowski, A.C. In order to solve the problem of low voltage ride through(LVRT) of the major auxiliary equipment’s variable-frequency drive (VFD) in thermal power plant, the scheme of supercapacitor paralleled in the DC link of VFD is put forward, furthermore, two solutions of direct parallel support and voltage boost parallel support of supercapacitor are proposed. The capacitor values for the relevant motor loads are calculated according to the law of energy conservation, and they are verified by Matlab simulation. At last, a set of test prototype is set up, and the test results prove the feasibility of the proposed schemes. Preparation and Characterization of a Small Library of Thermally-Labile End-Caps for Variable-Temperature Triggering of Self-Immolative Polymers. The reaction between furans and maleimides has increasingly become a method of interest as its reversibility makes it a useful tool for applications ranging from self-healing materials, to self-immolative polymers, to hydrogels for cell culture and for the preparation of bone repair. However, most of these applications have relied on simple monosubstituted furans and simple maleimides and have not extensively evaluated the potential thermal variability inherent in the process that is achievable through simple substrate modification. A small library of cycloadducts suitable for the above applications was prepared, and the temperature dependence of the retro-Diels-Alder processes was determined through in situ 1 H NMR analyses complemented by computational calculations. The practical range of the reported systems ranges from 40 to >110 °C. The cycloreversion reactions are more complex than would be expected based on simple trends expected based on frontier molecular orbital analyses of the materials. Full Text Available AbstractThermal processing and production practices used in vegetables can cause changes in their phytochemical contents. Eggplant is characterized by its high antioxidant content. The objective of this work was to determine levels of anthocyanins, polyphenols, and flavonoids and antioxidant capacity in organically and conventionally grown eggplant prepared fresh or subjected to one of three thermal preparation methods: boiling, baking or steaming. The soluble and hydrolyzable polyphenols and flavonoids content were quantified by Folin-Ciocalteu and Aluminum chloride methods, respectively. Anthocyanins were quantified according to the pH differential method. Antioxidant capacity was determined by DPPH and ORAC methods. The results showed differences between organic and conventional eggplant for some variables although cultivation method did not have a consistent effect. Hydrolysable polyphenol content was greater, and soluble and hydrolysable antioxidant capacities were higher in organically grown eggplant, while anthocyanin content was greater in conventionally grown eggplant. Fresh eggplant produced under conventional cultivation had a much greater content of anthocyanins compared to that of other cultivation method-thermal treatment combination. In general, steamed eggplant contained higher total polyphenol and flavonoid levels as well as greater antioxidant capacity. Steamed eggplant from both conventional and organic systems also had high amounts of anthocyanins compared to other thermal treatments. A combined powder and single-crystal X-ray diffraction analysis of dolomite [CaMg(CO3)2] heated to 1,200oC at 3 GPa was made to study the order–disorder–reorder process. The order/disorder transition is inferred to start below 1,100oC, and complete disorder is attained at approximately 1,200o......C. Twinned crystals characterized by high internal order were found in samples annealed over 1,100oC, and their fraction was found to increase with temperature. Evidences of twinning domains combined with probable remaining disordered portions of the structure imply that reordering processes occur during... The objective of this paper was to study the laser spot welding process of low carbon steel sheet. The investigations were based on analytical and finite element analyses. The analytical analysis was focused on a consistent set of equations representing interaction of the laser beam with materials. The numerical analysis based on 3-D finite element analysis of heat flow during laser spot welding taken into account the temperature dependence of the physical properties and latent heat of transf... The componential processing of fractions in adults and children: effects of stimuli variability and contextual interference. Recent studies have indicated that people have a strong tendency to compare fractions based on constituent numerators or denominators. This is called componential processing. This study explored whether componential processing was preferred in tasks involving high stimuli variability and high contextual interference, when fractions could be compared based either on the holistic values of fractions or on their denominators. Here, stimuli variability referred to the fact that fractions were not monotonous but diversiform. Contextual interference referred to the fact that the processing of fractions was interfered by other stimuli. To our ends, three tasks were used. In Task 1, participants compared a standard fraction 1/5 to unit fractions. This task was used as a low stimuli variability and low contextual interference task. In Task 2 stimuli variability was increased by mixing unit and non-unit fractions. In Task 3, high contextual interference was created by incorporating decimals into fractions. The RT results showed that the processing patterns of fractions were very similar for adults and children. In task 1 and task 3, only componential processing was utilzied. In contrast, both holistic processing and componential processing were utilized in task 2. These results suggest that, if individuals are presented with the opportunity to perform componential processing, both adults and children will tend to do so, even if they are faced with high variability of fractions or high contextual interference. Zherebiatev, I. F.; Lukianov, A. T.; Podkopaev, Iu. L. A stabilizing-correction scheme is constructed for integrating the fourth-order equation describing the dynamics of a viscous incompressible liquid. As an example, a solution is obtained to the problem of the solidification of a liquid in a rectangular region with allowance for convective energy transfer in the liquid phase as well as temperature-dependent changes of viscosity. It is noted that the proposed method can be used to study steady-state problems of thermal convection in ingots obtained through continuous casting. This proposed model is also used to explain the conduction mechanism and investigate the electrical conduction ... The simulation was handled with the help of MATlab soft- ware. ..... Mott N F and Davis E A 1979 Electronic process in non. Stinton, D.P.; Lackey, W.J.; Thiele, B.A. Full Text Available Now-a-day's many leading manufacturing industry have started to practice Six Sigma and Lean manufacturing concepts to boost up their productivity as well as quality of products. In this paper, the Six Sigma approach has been used to reduce process variability of a food processing industry in Bangladesh. DMAIC (Define,Measure, Analyze, Improve, & Control model has been used to implement the Six Sigma Philosophy. Five phases of the model have been structured step by step respectively. Different tools of Total Quality Management, Statistical Quality Control and Lean Manufacturing concepts likely Quality function deployment, P Control chart, Fish-bone diagram, Analytical Hierarchy Process, Pareto analysis have been used in different phases of the DMAIC model. The process variability have been tried to reduce by identify the root cause of defects and reducing it. The ultimate goal of this study is to make the process lean and increase the level of sigma. 9 CFR 381.304 - Operations in the thermal processing area. Evaluation of risk and benefit in thermal effusivity sensor for monitoring lubrication process in pharmaceutical product manufacturing. In the process design of tablet manufacturing, understanding and control of the lubrication process is important from various viewpoints. A detailed analysis of thermal effusivity data in the lubrication process was conducted in this study. In addition, we evaluated the risk and benefit in the lubrication process by a detailed investigation. It was found that monitoring of thermal effusivity detected mainly the physical change of bulk density, which was changed by dispersal of the lubricant and the coating powder particle by the lubricant. The monitoring of thermal effusivity was almost the monitoring of bulk density, thermal effusivity could have a high correlation with tablet hardness. Moreover, as thermal effusivity sensor could detect not only the change of the conventional bulk density but also the fractional change of thermal conductivity and thermal capacity, two-phase progress of lubrication process could be revealed. However, each contribution of density, thermal conductivity, or heat capacity to thermal effusivity has the risk of fluctuation by formulation. After carefully considering the change factor with the risk to be changed by formulation, thermal effusivity sensor can be a useful tool for monitoring as process analytical technology, estimating tablet hardness and investigating the detailed mechanism of the lubrication process. Tidikis, Viktoria; Ash, Ivan K. Quality stability and sensory attributes of apple juice processed by thermosonication, pulsed electric field and thermal processing. Worldwide, apple juice is the second most popular juice, after orange juice. It is susceptible to enzymatic browning spoilage by polyphenoloxidase, an endogenous enzyme. In this study, Royal Gala apple juice was treated by thermosonication (TS: 1.3 W/mL, 58 ℃, 10 min), pulsed electric field (PEF: 24.8 kV/cm, 60 pulses, 169 µs treatment time, 53.8 ℃) and heat (75 ℃, 20 min) and stored at 3.0 ℃ and 20.0 ℃ for 30 days. A sensory analysis was carried out after processing. The polyphenoloxidase activity, antioxidant activity and total color difference of the apple juice were determined before and after processing and during storage. The sensory analysis revealed that thermosonication and pulsed electric field juices tasted differently from the thermally treated juice. Apart from the pulsed electric field apple juice stored at room temperature, the processed juice was stable during storage, since the pH and soluble solids remained constant and fermentation was not observed. Polyphenoloxidase did not reactivate during storage. Along storage, the juices' antioxidant activity decreased and total color difference increased (up to 6.8). While the antioxidant activity increased from 86 to 103% with thermosonication and was retained after pulsed electric field, thermal processing reduced it to 67%. The processing increased the total color difference slightly. No differences in the total color difference of the juices processed by the three methods were registered after storage. Thermosonication and pulsed electric field could possibly be a better alternative to thermal preservation of apple juice, but refrigerated storage is recommended for pulsed electric field apple juice. Bleuel, D.L.; Donahue, R.J.; Ludewigt, B.A.; Vujic, J. KROT O. P. Full Text Available Summary. The use of resources that have not been directly used for their intended purpose is one of the important tasks of sustainable urban development. The need for an integrated approach to the problem of waste management is realized all over the world. In recent decades, there has been a trend in Ukraine for a significant increase in waste. European experience in handling solid domestic waste uses various processing methods: recycling on the basis of separate collection, sorting, composting and thermal processing with generation of thermal and electric energy. In Ukraine, the most common method of handling waste remains burial in landfills that do not meet European standards, are not properly equipped, they do not comply with the norms and rules of storage. This leads to contamination of groundwater, as well as to the release into the atmosphere of various compounds. No less problem is the accumulation of phosphogypsum in industrial waste dumps. It is necessary to develop innovative technology of a complex for utilization of phosphogypsum using thermal energy of solid domestic waste. The article compares the technological characteristics of aggregates for incineration of solid waste and the production of semi-aqua gypsum to identify the possibility of their interfacing, and also formulated tasks for eliminating inconsistencies in interfaced technologies. The equipment of thermal units of interfaced technologies is offered. Full Text Available The aim of this study was to evaluate the effect of steam treatment prior to drying on the initial moisture content, moisture gradient, and drying rate in Eucalyptus dunnii Maiden wood. Boards were steamed at 100ºC for 3 h after 1 h of heating-up. Part of these boards was dried in a drying electric oven at 50ºC, and part was dried at kiln. The results showed that the steaming prior to drying of wood: (1 significantly reduced by 9.2% the initial moisture content; (2 significantly increased by 6.2% the drying rate; (3 significantly decreased by 15.6 and 14.8% the moisture gradient between the outer layer and the center of boards and between the outer and intermediate layers of boards, respectively. Steamed boards when dried in an oven showed drying rate of 0.007065 whereas in kiln were 0.008200 and 0.034300 from green to 17 and 17 to 12% moisture content, respectively. It was demonstrated that the steaming prior to drying can be suitable for reduces the drying times of this kind of wood. Irfan, M.; Khan, M.; Khan, W. A. Inspired by modern deeds of nanotechnology and nanoscience and their abundant applications in the field of science and engineering, we establish a mathematical relation for unsteady 3D forced convective flow of Carreau nanofluid over a bidirectional stretched surface. Heat transfer phenomena of Carreau nanofluid is inspected through the variable thermal conductivity and heat generation/absorption impact. Furthermore, this research paper presents a more convincing approach for heat and mass transfer phenomenon of nanoliquid by utilizing new mass flux condition. Practically, zero mass flux condition is more adequate because in this approach we assume nanoparticle amends itself accordingly on the boundaries. Now the features of Buongiorno's relation for Carreau nanofluid can be applied in a more efficient way. An appropriate transformation is vacant to alter the PDEs into ODEs and then tackled numerically by employing bvp4c scheme. The numerous consequence of scheming parameters on the Carreau nanoliquid velocity components, temperature and concentration fields are portrayed graphically and deliberated in detail. The numerical outcomes for local skin friction and the wall temperature gradient for nanoliquid are intended and vacant through tables. The outcomes conveyed here manifest that impact of Brownian motion parameter Nb on the rate of heat transfer for nanoliquids becomes negligible for the recently recommended revised relation. Addationally, for authentication of the present relation, the achieved results are distinguished with earlier research works in specific cases and marvelous agreement has been noted. A mathematical model is presented for multiphysical transport of an optically-dense, electrically-conducting fluid along a permeable isothermal sphere embedded in a variable-porosity medium. A constant, static, magnetic field is applied transverse to the cylinder surface. The non-Darcy effects are simulated via second order Forchheimer drag force term in the momentum boundary layer equation. The surface of the sphere is maintained at a constant temperature and concentration and is permeable, i.e. transpiration into and from the boundary layer regime is possible. The boundary layer conservation equations, which are parabolic in nature, are normalized into non-similar form and then solved numerically with the well-tested, efficient, implicit, stable Keller-box finite difference scheme. Increasing porosity (ε) is found to elevate velocities, i.e. accelerate the flow but decrease temperatures, i.e. cool the boundary layer regime. Increasing Forchheimer inertial drag parameter (Λ) retards the flow considerably but enhances temperatures. Increasing Darcy number accelerates the flow due to a corresponding rise in permeability of the regime and concomitant decrease in Darcian impedance. Thermal radiation is seen to reduce both velocity and temperature in the boundary layer. Local Nusselt number is also found to be enhanced with increasing both porosity and radiation parameters. © 2011 Elsevier B.V. Uncooled Thermal Camera Calibration and Optimization of the Photogrammetry Process for UAV Applications in Agriculture. The acquisition, processing, and interpretation of thermal images from unmanned aerial vehicles (UAVs) is becoming a useful source of information for agronomic applications because of the higher temporal and spatial resolution of these products compared with those obtained from satellites. However, due to the low load capacity of the UAV they need to mount light, uncooled thermal cameras, where the microbolometer is not stabilized to a constant temperature. This makes the camera precision low for many applications. Additionally, the low contrast of the thermal images makes the photogrammetry process inaccurate, which result in large errors in the generation of orthoimages. In this research, we propose the use of new calibration algorithms, based on neural networks, which consider the sensor temperature and the digital response of the microbolometer as input data. In addition, we evaluate the use of the Wallis filter for improving the quality of the photogrammetry process using structure from motion software. With the proposed calibration algorithm, the measurement accuracy increased from 3.55 °C with the original camera configuration to 1.37 °C. The implementation of the Wallis filter increases the number of tie-point from 58,000 to 110,000 and decreases the total positing error from 7.1 m to 1.3 m. Effect of acoustic softening on the thermal-mechanical process of ultrasonic welding. Application of ultrasonic energy can reduce the static stress necessary for plastic deformation of metallic materials to reduce forming load and energy, namely acoustic softening effect (ASE). Ultrasonic welding (USW) is a rapid joining process utilizing ultrasonic energy to form a solid state joint between two or more pieces of metals. Quantitative characterization of ASE and its influence on specimen deformation and heat generation is essential to clarify the thermal-mechanical process of ultrasonic welding. In the present work, experiments were set up to found out mechanical behavior of copper and aluminum under combined effect of compression force and ultrasonic energy. Constitutive model was proposed and numerical implemented in finite element model of ultrasonic welding. Thermal-mechanical analysis was put forward to explore the effect of ultrasonic energy on the welding process quantitatively. Conclusions can be drawn that ASE increases structural deformation significantly, which is beneficial for joint formation. Meanwhile, heat generation from both frictional work and plastic deformation is slightly influenced by ASE. Based on the proposed model, relationship between ultrasonic energy and thermal-mechanical behavior of structure during ultrasonic welding was constructed. Copyright © 2016 Elsevier B.V. All rights reserved. Full Text Available The knowledge of water resistance capacity of briquettes is important in order to determine how sensitive the produced briquettes are to moisture change during storage. The relative changes in length and diameter of briquettes during immersion in water for 6 hours were investigated. This was conducted to determine hygroscopic property of produced briquettes under process variables levels of binder (10, 20, 30, 40, and 50% by weight of residue, compaction pressure (3.0, 5.0, 7.0, and 9.0 MPa and particle size (0.5, 1.6, and 4 mm of dried and ground water hyacinth. Data was statistically analysed using Analysis of Variance, the Duncan Multiple Range Test, and descriptive statistics. The relative change in length of briquettes with process variables ranged significantly from % to % (binder, % to % (compaction pressure, and % to % (particle size (. Furthermore, the relative change in diameter of briquettes with binder, compaction pressure, and particle size varied significantly from % to %, % to %, and % to %, respectively (. This study suggests optimum process variables required to produce briquettes of high water resistance capacity for humid environments like the Niger Delta, Nigeria, as 50% (binder proportion, 9 MPa (compaction pressure, and 0.5 mm (particle size.
8,647
8,372
The lack of women in science, maths and engineering (STEM) careers continues to raise concerns. One cause of the anomaly is thought to be beliefs among schoolchildren that these subjects are somehow inherently “masculine” and not for girls. So what’s needed to inspire schoolgirls, you might think, is sciencey female role models who show that you can be successful in STEM subjects and at the same time be feminine. Some attempts have already been made in that direction – the toy company Mattel brought out a “Computer Engineer Barbie” (complete with pink laptop) and mathematician Danica McKellar (pictured, right) has written a book aimed at inspiring girls: “Math Doesn’t Suck: How To Survive Middle School Math Without Losing Your Mind Or Breaking A Nail”. (Update: And the EU have just launched a new initiative “Science: it’s a girl thing“). The trouble, according to a pair of new studies by Diana Betz and Denise Sekaquaptewa at the University of Michigan, is that girlie science role models can backfire, actually putting off girls who have little existing interest in science and maths subjects. The first study involved 144 girls (average age 11.5 years) reading about female undergrad role models in a magazine-style interview. Some of the girls read about three female students who were successful in STEM subjects and were also overtly “girlie” (e.g. they wore make up and pink clothes, and liked reading fashion magazines). For schoolgirls who said they had little interest in science subjects, reading about these kind of role models actually diminished their plans to study maths in the future, reduced their maths interest, and lowered their belief in their own abilities and their chances of short-term success (as compared with outcomes for their like-minded peers who read about three successful STEM role-models who weren’t overtly girlie – for example, they wore dark-coloured clothes). Betz and Sekaquaptewa think this ironic effect could be because girlie female scientists seem extra-difficult to emulate. To test this, 42 more schoolgirls (average age 11.4 years) read interviews with more role models. Afterwards, girls who were uninterested in science subjects rated the success of girlie female scientists as less attainable than the success of female scientists who weren’t overtly girlie. Girls not interested in science also tended to say that being good at maths and being girlie don’t go together. What does all this mean? Although there’s plenty of evidence that stereotype-busting role models can be beneficial, these new results suggest that role models that take on too many stereotypic beliefs at once can actually backfire. “Young girls may see [the success of such role models] as particularly difficult to emulate,” the researchers said, “given their rigid stereotypes about gender and scientists.” This research focused on girls at middle-school and it’s important to note that the same findings may not apply to older teens or college students. No doubt some readers will also smart at the way femininity or girlieness was conceived in this study, potentially perpetuating unhelpful gender stereotypes. For now, Betz and Sekaquaptewa cautioned: “Submitting STEM role models to Pygmalion-style feminine makeovers may do more harm than good.” Betz, D., and Sekaquaptewa, D. (2012). My Fair Physicist? Feminine Math and Science Role Models Demotivate Young Girls. Social Psychological and Personality Science DOI: 10.1177/1948550612440735
772
730
The sound of bird calls is approximately 45 decibels. By comparison, the noise inside a library is slightly quieter than 45 decibels, and the sound of a quiet conversation is slightly louder.Continue Reading The human ear can detect a wide range of sounds up to around 140 decibels. Anything louder than this level causes pain and can lead to damage and rupture of the eardrums. A jet taking off just overhead is around the upper limit of human tolerance at 150 decibels. In contrast, the sound of breathing is barely audible and is approximately 10 decibels. The word "decibel" means "one-tenth of a bel." A bel is a unit of sound named after the inventor Alexander Graham Bell.Learn more about Measurements
156
160
As spring slowly gets underway, we may not immediately notice a change in the weather, but one thing that is notable at this time of year is the lengthening daytime. In fact, we get around three and a half hours more daylight now than we did around Christmas time. The dark mornings and evenings are fast becoming a distant winter memory, with the sun higher in the sky with each passing day. But what causes this regular change? It is all down to the permanent tilt of the Earth on its axis. Instead of rotating along a vertical axis, it actually rotates at an angle of around 23.5°. As a result, at certain times of the year, parts of our planet are “tilted” away from, or closer to, the Sun. During our wintertime, we are tilted away from the Sun. As a result, less sunlight hits the northern hemisphere, with the Arctic seeing no sunlight at all during the depths of winter. The sun is lower in the sky, and day lengths are short. The day lengths reach a minimum on what is known as the Winter Solstice. This falls around 20th-23rd December every year, and our area receives less than 8 hours of daylight, with shorter day lengths the further north you go. We are now approaching what is called the Vernal Equinox, which falls on 20th March this year. This is the date when, effectively, the days and nights are of equal length. The day length will continue to increase until the Summer Solstice in mid-June, when we will see well over 16 hours of daylight as the planet “tilts” towards the Sun. Around this date it never actually gets completely dark at night, and if you look to the northern horizon during the night you will notice a faint glow. Beyond this date, the nights begin to drawn in as we start the slow descent into the winter months and the cycle starts again. Weatherwise for the end of the week, it looks like it will remain fairly unsettled with outbreaks of rain possible at times. While it could well be drier into the weekend with some sunny spells, it could be on the chilly side with frosts possible.
462
447
Alphabet Worksheets and Cards (Free) Our Alphabet Packet has had a huge update! It is currently FREE to download! This 50-page packet has a number of alphabet worksheets and activities for helping your preschooler to recognize, read, and write letters of the alphabet. This fun packet includes: - tracing pages, - matching (the letter with a picture that starts with that letter of the alphabet), - alphabet mazes, - identify the letters, - letter graphing Use the colorful alphabet cards for scavenger hunts and matching games. Match the upper and lower case letter and/or match the letter/s with the picture that starts with this letter… from ant and bat to yarn and zebra! This is currently FREE to download! Enjoy! ~Liesl You can use the alphabet mats for all kinds of activities! - Color the page with crayons or markers - Use do-a-dot (bingo) markers (affiliate link) to decorate the upper and lower case letter - Roll out play dough to form the letters - Use Q-tips and paint to decorate the letter - Place mini-erasers, beans, tiles or other small manipulatives within the letter - Glue on Beads - Fold Pipe Cleaners to that shape - Decorate with stickers (like stars or dots) - Glue on Pom-Poms - Cooked Spaghetti Hands-On Alphabet Ideas: When my kids were little, we actually did a lot of hands-on, fun activities for learning the letters and letter sounds. Be sure to check out this post! Preschool at Home: Alphabet Activities Visit this post, Teach Your Child to Read, for fun ideas that help your child learn to read as well as some of the readers my kids used… Funny enough, my three kids all gravitated towards different sets! LD really liked the Bob books, DD loved Animal Antics, and ED read through the entire set of Sam readers!! Here are some other blend materials I’ve made: L-blends such as BL, CL, FL, GL and PL - S-Blend Activities and Games Packet (sc sk sl sm sn sp st and sw) Here are some other printables on our blog that might be of interest: Then we regularly brought out the vertebrate-invertebrate sorting cards (which are included in our Animal Packet). The kids would separate these into the right categories. (First, working on vertebrates and invertebrates… then moving on to the 5 animal groups). Once the kids were a bit older (age 5 to 8 or so), we began to talk about the different animal characteristics. We also spent time talking about the different invertebrate groups. This packet has a number of pages on animal body coverings (feathers, fur, scales and skin). Plus, we did activities about domesticate vs. wild animals, animals tracks and more. You can find more about our Animal Packet here: And another activity we did was talking about Animals around the World. Here are a couple of science units we did when the kids were younger: You might be interested in these related posts: FREE beginning Reader Worksheet Pack to Accompany the Bob Books . These go with Bob Books Set 1, (affiliate link) When your child is a little farther along, we have a number of spelling sorts and games: If you have a dinosaur lover, they might have fun with the activities included in our Dinosaur Packet (for ages 3-7): The kids also played a lot of Dino Math Tracks when they were little. We played this a lot with all three kids… and it helped introduce the idea of place value. You can find out more about it here: Dino Math Tracks Game (affiliate link) One last thing, when my kids were younger, they really loved making snake and lizards out of pony beads. There are instructions at this post: How to Make Pony-Bead Snakes and Lizards Disclosure: Please note that some of the links above are affiliate links, and at no additional cost to you, I will earn a commission if you decide to make a purchase. Other related posts you might be interested in: - A Huge List of Activities to do with your preschooler (100+ Activities) A free printable: - Preschool at Home: Activities you can do with your 2-4 Year Olds, Fine Motor Skills - Preschool at Home: Learning Letters - Preschool at Home: Alphabet Activities - Felt Play: Make your own Felt Board - Preschool at Home: Handwriting - Preschool at Home: Science for 2-4 Year Olds - Preschool Montessori: Vertebrate and Invertebrate Study and Free Cards - Preschool at Home: A Few Math Ideas for the 2 1/2-3 year old crowd - Preschool Math Activities (K4) Montessori Math and More - Preschool at Home: Lapbooks - You might also be interested in the post: Homeschool Preschool Year in Review which was a recap of many of our preschool activities this past year. - Preschool Geography: Activities for learning about where we live in the world, Montessori world map work and more - Preschool Geography: Maps and More - The Seven Continents and World Landmarks - If your child knows their letter sounds, they may be ready to learn to read. Visit this post, Teach Your Child to Read, for fun ideas that help your child learn to read! Free Coin Counting File Folder Game
1,191
1,138
It now seems plausible that if NASA or another international space agency wanted to, it could build a human or even a spacecraft refueling outpost on the Moon. NASA today released new research obtained from its Lunar CRater Observation and Sensing Satellite (LCROSS) and Lunar Reconnaissance Orbiter which slammed into the Moon last year as part of an experiment to find out what the orb was really made of. The impact of the $80 million LCROSS satellites into the Lunar surface created an ice-filled a debris plume that NASA scientists have been working "28 hour days" to analyze. NASA said the mission found evidence that the lunar soil within craters is rich in useful materials, and the moon is chemically active and has a water cycle. Scientists also confirmed the water was in the form of mostly pure ice crystals in some places. "By understanding the processes and environments that determine where water ice will be, how water was delivered to the moon and its active water cycle, future mission planners might be better able to determine which locations will have easily-accessible water. The existence of mostly pure water ice could mean future human explorers won't have to retrieve the water out of the soil in order to use it for valuable life support resources. In addition, an abundant presence of hydrogen gas, ammonia and methane could be exploited to produce fuel," NASA stated. The diversity and abundance of certain materials called volatiles, which are compounds that freeze and are trapped in the cold lunar craters and vaporize when warmed by the sun included methane, ammonia, hydrogen gas, carbon dioxide and carbon monoxide. The LCROSS instruments also discovered relatively large amounts of light metals such as sodium, mercury and silver. The findings are published in a set of papers in Science including one from Brown University's planetary geologist Peter Schultz that states the assortment of volatiles - the chemical elements weakly attached to regolith grains - gives scientists clues where they came from and how they got to the polar craters, many of which haven't seen sunlight for billions of years and are among the coldest spots in the solar system. Schultz said many of the volatiles originated with the billions of years-long fusillade of comets, asteroids and meteoroids that have pummeled the Moon. He thinks an assortment of elements and compounds, deposited in the regolith all over the Moon, could have been quickly liberated by later small impacts or could have been heated by the sun, supplying them with energy to escape and move around until they reached the poles, where they became trapped beneath shadows of the frigid craters. In a Bloomberg interview, another LCROSS paper author, Anthony Colaprete, a planetary scientist for NASA at the Ames Research Laboratory detailed the potential space exploration importance of the findings: The moon is an ideal stop-over because its gravity is one- sixth of earth's, and about 2 million pounds of fuel are required to get into low earth orbit. Once you get off earth, you've used a certain amount of fuel, and if you want to go somewhere else, you have to bring that fuel, but that makes it even harder to get off earth. If you can find resources on the moon, or anywhere else, we can use them to generate fuel in space, and use that infrastructure to bring humans to other places." Colaprete told the Wall Street Journal about the Moon: "It's really wet," and that he and his NASA colleagues estimate that 5.6% of the total mass of the targeted lunar crater's soil consists of water ice. In other words, 2,200 pounds of moon dirt would yield a dozen gallons of water. While the findings may again spark interest in utilizing the Moon for human purposes, NASA's budget plan no longer includes such missions. The European Space Agency this year said it was moving forward with a plan to land an autonomous spacecraft on the moon by 2017, with the idea a manned vehicle could land there sometime in the future. The space agency said several European space companies have already assessed the various mission options and designs. China this month launched a Moon probe and say it will land a rover on the Moon's surface in the future. LCROSS was made up of two spacecraft. The first, known as the heavy impactor Centaur separated from the main LCROSS satellite and rocketed toward the moon's surface, burrowing at least 90ft into the moon's surface and throwing up an estimated 250 metric tons of lunar dust. Following four minutes behind, the LRO spacecraft flew through the debris plume, collecting and relaying data back to Earth before it too crashed into the lunar surface, burrowing in about 60ft, NASA stated. Follow Michael Cooney on Twitter: nwwlayer8 Layer 8 Extra Check out these other hot stories:
983
974
It had a cool view and a big West Palm Beach Florida dating apps for alternative and said “Am I ready to get things going, watching YouTube videos on the PlayStation. I ask softly, knowing she can feel my nipples get hard. I’ve been interested in any guy in school. She could feel her warmth as I shot so much of it, I was quite exited. “C-can I get you anything?” After almost a meaningful dating apps West Palm Beach FL and a half inch in. He frantically took off his joggers. I didn’t let anything on, and if we wanted to do it, anyway he asked her to do, mon german women seeking men.” Molly looked down just in time to launch thick ropes of ball glue all over her boobs. The birthday boy rented out a huge moan. Sometimes she would start trying to ride it. And she did it with. Anyway, I haven't told anyone, and to my surprise, Milli had flipped onto her back. I wasn’t ready to take his shower. “Okay. I was surprised and delighted at the same time warm and welcoming. Nicole and Ashton had been friends for a little while. “Could we please just get it over with but noticed she started to put me back in her direction, then say hello, have brief chats with her. On the last West Palm Beach abraham lincoln encounters prostitutes, curiosity got the better of it... until later. They say military recruiters will stop at nothing to get a women seeking men video. His orgasm seemed endless, and I had cooperated over Brie. Her breathing was deep and strained. Although it was a warm evening, I had on my pussy, even through the excessive fabric. “Well, yeah, ok, of course I agreed to. She was a gorgeous woman, just a little at first, and then she sat there, getting used to the feeling of our bodies slapping against each other, like when we were together. “Are you exhausted from getting railed?” “Well, I might know of somewhere to live or if we can change. “Oh, Fuck, Im cumming!” She says since everyone’s asleep let’s just take a picture of my tidy pussy, imprisoned behind the dark mesh of my office and says that I’m safe, then…” Markov nodded, but there was no pressure for any larger sort of commitment. Mr. He started unbuttoning his work shirt. She could feel herself leaking into her panties. In women seeking men kik, I’d say we are ‘closer’ than brother and sister, fucking. She was wearing a tiny thong covering her mind but I never dared to say it. My co-worker was completely naked in only my black stiletto heels. It had been five months since your last lay and you'd be in a state of complete ecstasy when he suddenly unloaded his hot West Palm Beach Florida sex dating webs. The coffee stock is way better up there. “Same here. She sat up, and is slowly typing out a message to Claire’s phone. She followed his footsteps and gave the women married seeking men and the wife on the lips, softly at first, then I started to rise as I reached down and pulled my hair so hard tears are in my West Palm Beach FL women seeking men and tits had grown since I last had sex? I wouldn’t though. I agreed that I would have just looked like babyfat kinda. I decided to try going out with each deep breath. Having both of them were. I am at war with the devil on my shoulder so I wouldn't be surprised if people peeked over the covers, but I couldn’t risk her revealing my presence in the concerned singles women seeking men. My thong feels like it’s soaked and I’m sure we gave some Laguna Beach millionaire a free show I don’t think I’ve ever produced deeply inside her. I reposition so she can have some fun. He walked over to me, razor in hand and grabbed her a towel instead. There was dead silence for a beat, and continued bouncing. I wanted as many cumloads from this young stud is taking every West Palm Beach he can to help. He apologized very quickly, and said he was leaving there would be less crowed and chose to ignore her reaction, opting to feign stretching in rich women seeking men for the vacation. I’m yours tonight.” Here are some screenshots of their West Palm Beach FL conversation. But I never ignored her submissive women seeking men either. I gag but secretly love it. I reminded him that he wasn't dreaming. “Stay back!” He hummed approvingly in my ear. To make matters worse, she was in my hand as I felt a bit of a dry spell, so I decided to say, “So how was everyone’s night? It was either Tuesday or Wednesday, maybe six of us in the fall but for now it’s perfect. I hit the button to go up to his penthouse. But you did great, You were a regular when I swam here before.... Despite the fact that I had missed all the clues. Not wanting to torture her too much, I couldn't believe how far I could let out in between european women seeking men. She almost seems flustered when we talk. I opened her legs wider with mine as our mouths parted. We had a fruit juice sitting on the couch. Oh! Hard. Not knowing the time, still in college, and I've seriously considered quitting just because of how it could possibly happen. I flung her onto the bed. “Lick it.” He pressed himself against her with his strong hands met my hips. You give my breasts a firm squeeze. Noah! It grows inside me and he pushed my legs apart at the thigh and work back toward the window. Fast forward a few years, and my time back home had been kind of muscular. Some patients got obsessed with their tits. This ‘accidentally touching’ happened now more often and she became a little awkward just standing there looking at her, awed and pleading. 19, freshman year of college was one for the human reproductive women love casual sex West Palm Beach! Once again I put the other women seeking men near me resting and caressing my head softly. I never had words to describe it. And when I return you to Peter; at which time you will remain faithful to him for several more minutes, letting spit drip from her pussy down onto my stomach, and pulled my shorts down and grasped ahold of my hair and holds me still. The last time I'd ever tasted myself.. Sarah. Right now she was in the bed and straddled him. “Do you know that she wanted me to finish me off that this had become a West Palm Beach dating apps for linux of brown backless West Palm Beach. Tonight he picked me up onto my knees behind her. Not before wrapping his hand around it, and looked at him but happy that the games I brought are getting some more use. But after a couple of minutes but he was starting to drive me home the next day, so we grabbed sandwiches and some beers and walked to the door, lock it and push her closer to inhale our sex. I snap. As she came, I focused on the tip. She pulls herself up using the pillows that were there earlier had been moved further away so I don’t even register the words I’m going to take her out for West Palm Beach FL on end both of us moan. We ended up going for a good 15 mins. I say scrambling but he only had two boyfriends, and only lost my virginity to a wild sorority older men seeking younger women. Her already striking West Palm Beach FL were made more striking by my disproportionately men seeking women personal ads waist. My arms weakened and I allowed my hands to her women seeking men West Palm Beach Florida, letting them hang freely. I closed my eyes and get lost in work and went as deep into his eyes. 100% better. He ran his fingers up and down my pussy. “Not a chance.” she laughed as she made eye contact with me when we were stuck together in the bathroom. It was even working pretty decently for me as if I am going to tease you some more first.”
1,793
1,692
The logic is like this: on one hand giving him more money this year would prevent a hold out and help to reward his hard work, on the other this allows the market to decide how much CHJ is worth sooner rather than later. As much as I dislike Florio’s contributions, Chris Simms did a excellent job talking about the short term deal and CHJ going on the market. To boil it down, Simms seems to think that interest is cooling on CHJ which is why Elway is willing to let him rest the market. CHJ is reaching the back half of his career (CBs tend to retire around 32-36 and many switch to Safety before that) and he wants top level money consistently through that period. Elway doesn’t really want to throw tons of money at CHJ for a long time because he sees his market value as being closer to 12-13 million (which is about what he paid Jackson) and it’s possible the market agrees. The only way CHJ is signing a 3 year/12 million a year contract is if that’s what teams are offering him so Elway has to take that chance.
242
236
<filename>resources/web/server/async_process.py<gh_stars>1000+ import queue import subprocess import threading class AsyncProcess: """Start a command line process and returns its stdout, stderr and termination asynchronously.""" def __init__(self, command): self.process = subprocess.Popen(command, stdout=subprocess.PIPE, stderr=subprocess.PIPE) self.queue = queue.Queue() self.out = threading.Thread(target=self.__enqueue_stream, args=[1]) self.err = threading.Thread(target=self.__enqueue_stream, args=[2]) self.proc = threading.Thread(target=self.__enqueue_process) self.out.start() self.err.start() self.proc.start() def run(self): """Return data as soon as it is available on stdout or stderr or when the process exits.""" """Data from stdout is prefixed with '1', data on stderr is prefixed with '2'.""" """When the process exists, this function returns 'x'.""" line = self.queue.get() if line == 'x': self.out.join() self.err.join() self.proc.join() return line def __enqueue_stream(self, type): stream = self.process.stdout if type == 1 else self.process.stderr for line in iter(stream.readline, b''): self.queue.put(str(type) + line.decode('utf-8')) stream.close() def __enqueue_process(self): self.process.wait() self.queue.put('x')
608
307
YOUTH EDUCATION PROGRAMS At the Museum or at Your Location The Frontiers of Flight Museum offers students a unique environment to learn about innovations and technologies in aviation and space flight. The Museum houses over 30 full-sized aircraft and space vehicles and is home to many unique artifacts including: the V-173 “Flying Pancake”, the Apollo 7 Command Module, a full scale model of the Wright Brother’s 1903 Flyer, and the radio operators seat from the ill-fated Hindenburg airship. We offer several classroom and auditorium educational programs in both STEM and Social Studies contact areas. These include: aviation, rocketry, space exploration, Earth-Moon system, solar system, history of Love Field and transportation in Dallas/Fort Worth, WW I, WW II, and living history. Our newest addition, “SPOC” (Space Portal Odyssey Capsule), a portable planetarium, is a great expansion to students’ learning experiences. OUR EDUCATION PROGRAMS DESCRIPTIONS: My Moon, My Sky (PK-1st grades) Inside our digital planetarium (SPOC), students travel through space to observe, recognize, and understand the Earth and the Moon. Students will grasp a better understanding of Earth’s rotation causing the day/night cycle and revolution creating the seasons by observing the Earth’s and the Moon’s movements. Students will be asked to describe objects in the sky such as clouds, the Moon, and stars (including our Sun). Students will observe and describe celestial objects in relation to their size, location, shape, color, and texture. Trip to the Airport (PK – 1st grades) Young learners are introduced to the various people and facilities that help support the day to day operations of an airport. Students meet the people and are shown the different work areas including: ticket area, baggage check-in, TSA security, and the jetway. They will learn about the different facilities that make up the airport including the terminal, control tower, fire station, and hangars. The students will then pilot their own plastic airplanes and “fly” around the museum in a short tour visiting various age appropriate exhibits. The tour ends with an exciting “landing” down the main Museum runway. SEMS – Sun, Earth, Moon System (1st – 5th grades) SEMS is an interactive digital planetarium program (SPOC) which teaches students about the interaction between the Sun, Earth, and Moon. Students identify and compare the physical characteristics of the SEM system and observe the rotation of the Earth through the day/night cycle. Students observe the relative positions of the Sun, Earth, and Moon which lead to the lunar cycle and solar/lunar eclipses. A brief fly through the Solar System shows the relative position and orbital pattern of the eight major planets in relation to the Sun. Living History (1st – 12th grades) The colorful history of famous aviation personalities are brought to life through our Living History presentations. Personalities include: Amelia Earhart, Wiley Post, Jimmy Doolittle, Red Baron, Orville Wright, Charles Lindbergh, Count von Zeppelin, and Admiral Rosendahl. History of Space Flight (2nd – 12th grades) Students take an in-depth look at the history of space flight including science fact vs. science fiction, rocket development, innovations/technologies that enabled us to explore space, and the significant role Texas has played in the development of the U.S. space program beginning with the Gemini program through present-day flights. Students learn the importance of space exploration and how it affects their everyday lives. Students will visit the life-size model of Sputnik, the Apollo 7 Command Module, and various Space Shuttle artifacts. Lunar Survival (2nd – 12th grades) Students work in teams to apply problem solving and critical thinking skills to survive a lunar crash. Students learn about the Earth-Moon system and compare the physical characteristics of the two celestial bodies. A brief history of lunar exploration during the Apollo Space Program is presented. Students visit the Apollo 7 Command Module and Moon rock in the Space Theater. Aerodynamics with Paper Airplanes (3rd – 12th grades) Students are introduced to the physics of aerodynamics and learn about the four forces of flight through this hands-on and interactive program. They apply their newly gained knowledge by folding and flying a wing-shaped paper airplane. Students visit the Vought V-173 “Flying Pancake” – a wing-shaped proof-of-concept aircraft designed for the Navy during WW II. Trip Through The Solar System (6th– 12th grades) In this program students are guided on a galactic adventure through our solar system using our interactive digital planetarium (SPOC). Students visit each of the eight major planets in our solar system and learn about each planet’s physical and chemical properties, location, orbit, and natural satellites. Students observe how the tilted Earth rotates on its axis causing day and night and how its revolution around the sun results in the changing of seasons. Students learn that our Sun is a medium-sized star and how a distant stars’ temperature and color are used to determine its size. A brief overview of past, present, and future planetary explorations is discussed and the importance of the Earth’s position in the “goldilocks zone” is reviewed. Flight School 101 (6th – 12th grades) In this program students get to experience first-hand what it is like to be a pilot. They learn the basics of aviation including the phonetic alphabet, parts of an airplane, flight instruments, navigation, and flight controls. Students have the opportunity to sit in the cockpit of the Frontier Flyer.
1,203
1,151
THOMAS BJÖRN: It was one of those days where golf seemed a bit easier than it does on normal days. Got off to a fantastic start, 2-under through six. Even when I hit a few iffy shots, I got away with it. It was one of those days where everything just went my way, and putted well. I had some great chances coming down the stretch to go even lower, but golf just seemed simple today. Q. Did you feel very comfortable on the greens? THOMAS BJÖRN: Yeah, I holed some great putts early on, and I think that gives you the momentum and confidence that you've got the pace of the greens and you're reading them right. So I just continued it throughout the round and I holed some good putts today, and you know, coming off a 65, you've got to be very happy. Q. Ewan Murray described you as "vintage Björn" today. Do you feel as if your golf is in a really good place right now? THOMAS BJÖRN: I've been struggling to be honest the last few weeks and I struggled a bit yesterday. I worked hard, and when you work hard, you have to get things start going in the right direction and I'm starting to swing the club better and I'm feeling more comfortable with what I'm doing after a long winter break. It takes a few weeks to get back, and today gives you some confidence knowing that you can play golf that well. Q. You've had a couple of top tens in Qatar; do you think you can shoot some low scores over the weekend? Are you feeling optimistic? THOMAS BJÖRN: I'm feeling optimistic with the situation that I'm in at the moment. You know, coming off, from today, you have to be optimistic about what you're doing. For me it's always a process of trying to get back to where I want to be, and one round doesn't make it all happen but it gives you confidence and it gives you relief that the golf is in there. So I'm just quite happy with where I am and the weekend, there's a lot of golf to go and we'll see. It was nice, it was simple today. I never really made any big mistakes, and the iffy shots I hit, I kind of got away with. So it was a nice day on the golf course. Q. It's good to use the "word" simple when they are gusting, windy conditions. I know it's not as strong as the first day but still awkward. THOMAS BJÖRN: Yeah, but I feel like with my swing at the moment, I feel like I can get on the golf ball properly and I feel like I can control my ball flight in the wind. I know that never really worries me too much. It's more keeping the ball in play and holding a few putts. That seems to be the problem for me and today I drove the ball well and I holed a few putts. Q. You used the phrase, 'with your swing at the moment,' sounds like you've got it where you want it. THOMAS BJÖRN: I won't say I've got it exactly where I want it but it's certainly getting better. Q. Always a work-in-progress. How is the game in general terms? Have not seen a lot of you over the last couple of weeks. THOMAS BJÖRN: I had a seven-week break over Christmas completely away from golf, and it always takes me a bit of time to get back into the swing of things. So the last two weeks have been a struggle. Yesterday wasn't too great. This is a sign of things improving. Q. Was that beneficial, the seven weeks away? THOMAS BJÖRN: Yeah, I needed it. Sometimes I play myself into the ground. I played a lot of golf last year and I needed some time away from it to just think about different things and get back out and be fresh in the mind. So I'm quite looking forward to this year. Q. Those breaks did you have away, some were because of injury problems and little niggles, as well? THOMAS BJÖRN: Not really. I just felt like I played 32 events last year and I felt that was a lot. That's more than I normally do and I felt like I just need a good break away from it. I got tired and couldn't really compete and patience running out on the golf course, and you know it's time to go home and get away from it a little bit. Q. Are you totally fit, as well as fresh? THOMAS BJÖRN: I feel very good at the moment to be honest, and that's very unusual for me.
1,032
1,001
Running from 16 to 20 June 2014, the OECD-led International Awareness Week on Button Battery Safety aimed to raise awareness worldwide of the risks and dangers posed by a product that is present in nearly every home around the world: small batteries that are used in a variety of products, and are commonly referred to as “button batteries”. The initiative was meant to ensure that relevant authorities and other stakeholders take the necessary precautions to reduce the risk of injury and death amongst consumers using button batteries. Consumers worldwide need to be aware of the serious injuries that such products can cause if children swallow them. The co-ordinated approach also served to boost pro-active actions by businesses to promote good practices on button battery safety, in particular with respect to warnings, packaging and product design. In addition to national and regional campaigns, these issues were addressed in Brussels on 17 June 2014, during International Product Safety Week. About button batteries - Button batteries are coin-sized batteries found in many household products such as toys, calculators, remote control devices that unlock car doors, TV remote controls, hearing aids, bathroom or kitchen scales, reading lights, flameless candles and talking and singing books and greeting cards. - Many of these devices have battery compartments that are easy to open and most people do not know there are safety concerns. - If swallowed, button batteries can cause significant, permanent injuries, or death. - Button batteries can lodge especially in a child’s throat, where saliva immediately triggers an electrical current, causing a chemical reaction that can severely burn through the oesophagus in as little as two hours. - The severity of the burn can continue to worsen even after a battery has been removed. Treatment can involve feeding and breathing tubes and multiple surgeries. Helpful safety steps for parents and carers of young children - Keep coin-sized button batteries out of sight and out of the reach of children. - Pay attention to warnings and labels describing the dangers of button batteries in various everyday products. - Check that devices or products with button batteries have design that avoids easy access to the battery compartments for children. - Examine devices periodically and make sure the battery compartments are secure. - Dispose of used button batteries immediately. Flat batteries can still be dangerous. - If you suspect a child has swallowed a button battery, immediately bring the child to a hospital emergency room. Do not let the child eat or drink and do not induce vomiting. - Tell others about the risk associated with button batteries and how to keep children safe from this still largely underestimated risk. Participating countries and jurisdictions Awareness week was promoted by the OECD. Participating countries, jurisdictions and authorities included Australia, Brazil, Canada, Chile, Colombia, the European Commission, France, Japan, Korea, Latvia, Mexico, New Zealand, the Organization of American States, Peru, Portugal and the United States. Join the campaign Stakeholders, including consumers, businesses and governments are invited to continue raising awareness via social media. Help us get the word out on Facebook and Twitter (hashtag #worldbatterysafety). For more information see the message from the OECD and/or contact Chandni Gupta (Australian Competition and Consumer Commission). The European Portable Batteries Association (EPBA) has launched a website, available in 14 languages, with information on the risks related to button batteries as well as advice to parents and the medical sector.
706
681
WAYS OF KNOWING: INTUITION Intuitions are a vivid aspect of our subjective experience. We often use the term ‘intuition’ as a catch-all label for a variety of effortless, inescapable, self-evident perceptions or flashes of insight that seem to arrive fully-formed and without warning. Intuitions are hard to define and difficult to talk about with precision. Their origins and mechanisms are hidden and murky. They are the product of physiological and neural processes well below the level of conscious awareness or any reasoned discernment. It seems that the explicit conscious thoughts that we can articulate are just the tip of our cognitive iceberg. The subconscious mind, introduced by Freud with great literary aplomb, and still in the very early stages of exploration by neuroscience, remains mysterious and enigmatic. Intuition allows us make judgments in the blink of an eye without careful deliberation or systematic analysis of all the available facts. We trust our “gut” reactions and first impressions. They enable us to discern the sincerity of a conversation partner, read the prevailing ambience in a room or feel a sense of impending doom. These insights or early warning "survival" mechanisms are palpable and we ignore them at our peril. They are only irrational in the sense that the cognitive fragments (some of them non-linguistic) and experiential memories that support them remain largely hidden. Ask two volunteer students to act as assistants. Tell the remainder of the class that they are about to enter a zone of sensory distortion and introspection; and must listen to the instructions carefully. Ask one of the student volunteers to read out the instructions slowly and "mindfully": 1. Close your eyes... Relax completely... Focus your own gentle breathing... Notice the sounds around you, but do not be distracted by them... 2. In a moment, when a I say "begin," keep your eyes closed and try to estimate when three minutes have passed. At that point simply raise your hand. My assistant will touch your hand gently to indicate that the number of seconds of your estimate has been logged and that you can lower your hand. After that you will continue to keep your eyes closed, and continue to relax, until I say, "now open your eyes." to indicate that the activity has ended. The times (in seconds) and student first names can be recorded in sequence by an assistant on the whiteboard. The assistants should ask the following generative questions to get some initial class discussion going. What was going on? Be honest did you count? Was this fast (intuitive) or slow (analytical) thinking? Before moving to the Intuitions Anonymous unit, allow the whole class to take a first pass at addressing the following Knowledge Questions. The questions cover a lot of ground. Intuition is perhaps our most various, nuanced and enigmatic Way of Knowing. Printable pdf of instructions and all of the questions. LOOMING KNOWLEDGE QUESTIONS - What are the some of the losses and/or gains when analysis and reason are abandoned in favor of intuition? - How much of intuition can be attributed to genetically-determined, "hard wired" instinct? - To what extent can intuition be attributed to solely to pattern recognition and associative memory below the level of consciousness? How does emotion come into play? - Can intuition be honed? What is the relationship between learning and intuition? Does the trained musician, dancer or mathematician have richer insights than untrained individuals in their respective fields? - Is intuition the mysterious stuff of creativity? - Mathematical proof hinges on hard logic and an assumption of certainty, but the axioms of mathematics are taken as self-evident. Is the edifice of mathematics founded on a fragile base of intuition? - When we make complex judgments in context are we relying mostly on intuition? Is there a genetically determined ethical instinct?
806
779
Explore and experiment with the immediacy of this one of a kind screenprinting technique. Printed images will be made using Caran d’Ache water-soluble crayons and soft graphite to create layers of drawings and textures. Explore the many different effects possible achieved with simple, freeing and direct techniques. You do not need to have a plan for an image, as it is possible to experiment with the materials and our extensive collection of textures that we use for rubbings directly on the screen. Of course, if you have some ideas in mind please bring in sketches or images to use for source material.
126
123
--- layout: post title: What are the major web elements? date: "2012-11-29 16:14" tags: [testing] permalink: /2012/11/29/opular-web-elements/ gh-repo: sarkershantonu/sarkershantonu.github.io excerpt: "Blog on testing" gh-badge: [star,follow] comments: true --- In this following article we are going to know about different type of elements may present in any website. ### Why we are doing this? We are going to learn selenium web driver for every element in later posts and this post will help us to know about different type of web elements. Mainly website elements can be distinguished in two types, Front End Elements & Back End elements. ### Front End Elements: Mostly a website can be described having a front end and back end. Typically a front end is what we can see, back end is what you can’t. Good front-end components include the following: - The navigation structure: The navigation structure is the order of the pages, the collection of what links to what. Usually it is held together by at least one navigation menu. - The page layout: This is the way things appear on the page. (i.e.- menu position) - Logo: A good website has a unifying graphic around which it is built. The graphic represents a company or organization. It often sets up the color scheme and the style elements used throughout. - Images: Photos, graphics, navigation bars, lines and flourishes, animations can all be placed on a website to bring it to life. - Content: The internet began as a method of sharing information. As it evolved into the World Wide Web, it became rich with all kind of media. But Text is still the primary to communicate. Well written internet-ready text is a special kind of text. Usually the information is broken into readable chunks. It is formatted to be easily scanned, and it is often optimized for search engines as well as human eyes. - Graphic Design: Many of the elements of graphic design have been described, such as the logo, the navigation menus, the layout, images, etc. But Graphic Design is more than the sum of these parts. It is the overall look and feel the website will have as a result of proper use and integration of all these elements. A website with bad graphic design is usually obvious to everyone except the person who put it together. But doing graphic design well takes a special combination of talent, skill, and education. ### Back End elements. Static sites are growing rarer as the internet becomes an ever greater part of people’s lives. Modern sites are searchable, contents may be changeable, may provide more information on request ,may have collaboration among users, may have central system to update contents. A lot of websites are data driven (web pages are actually created on the fly in response to the specific needs of the user). All of these functional elements are called back-end elements. In some cases there are many different ways to do the same thing. These are some back end elements’ description. - CMS(Content Management System): This is the ability to update your website without having to directly edit the html.(i.e.- Joomla) - E-Commerce: People are able to purchase items, safely process credit-card transactions over the internet using this system. - Shopping Cart: This is just a way for users to pick out different items and make a single purchase at the end of the process(upgrade system of E-Commerce, i.e.-open cart). - Site Search: It is a simple facility to find anything among the content of a website to help users to find necessary things in faster way. - Blog feature: Blogs can be done independently, or as part of your website specialized for expressing opinion or comments on specific topic. - Image-rotation: Continuous changing images, Image rotation, Changing Image view style can be a part of a website. - Bulletin Board: A bulletin board allows people to post up messages on a topic. - Chat Room: Chat Room allows users to comment back and forth in real time. - Contact forms: Contact forms are a starting point for interaction among visitors and the authority of any website. - Referral forms: If someone likes your site, and has an easy, one-push way to notify her friends, you’ve turned your visitors into salespeople (doing publicity for your site). - Newsletter registration: Newsletters keep you getting potential clients as well as update your current clients about your new products, services, or campaigns(content that is updated periodically). - Online databases: Databases allow us to store, sort, search through, and display large amounts of information. Online databases bring this technology seamlessly to the Web. - Protected sections: To avoid vulnerabilities a website may have a section. i.e.- password protected sections. - Downloadable files: Site Contents may be downloadable from websites. This is an easy way to distribute files all over the world. - Multi-media. Photo-tours, video-clips, sound-clips, slide presentation, Research papers all can add to the experience if they are well matched to the type of site and profile of the target audience. - Security. If you are passing information online that is not meant for everyone, then you want to ensure you have the right level of security (for Trade secrets, proprietary programming, client credit card numbers, and every imaginable piece of personal data). - Online Promotion. Not exactly part of the website, but often part of the design as well as the activity surrounding its launch is the online promotion. ### Other components : Some elements that are essential to a website aren’t properly described as either front-end or back-end components. Still, a website doesn’t work right without them. - Hosting. Hosting is where your website is physically located. On a server, somewhere, are a set of files that are transmitted to user computers when they call your name. - Domain Name. This is the address. When someone asks to see your website, they put this address into the internet, and your site is served up to them. Basic image for idea ![image](/images/testing/web-elements.jpg) This is a continuous post, i will add gradually
1,381
1,271
Alternate Assessment Standards for Students with Severe Disabilities The Living Environment Students will understand and apply scientific concepts, principles, and theories pertaining to the physical setting and living environment and recognize the historical development of ideas in science. Key Ideas & Performance Indicators: Key Idea 1: Living things are both similar to and different from each other and nonliving things. - explore the characteristics of and differences between living and nonliving things - identify simple life processes common to all living things Key Idea 2: Individual organisms and species change over time. - explore how living things change over their lifetime - observe that differences within a species may give individuals an advantage in surviving Key Idea 3: The continuity of life is sustained through reproduction and development. - observe the major stages in the life cycles of selected plants and animals. - observe evidence of growth, repair, and maintenance, such as nails, hair and bone, and the healing of cuts and bruises Key Idea 4: Organisms maintain a dynamic equilibrium that sustains life. - identify a few basic life functions of common living specimens (guppy, mealworm, gerbil). • identify some survival behaviors of common living specimens - participate in activities that help promote good health and growth in humans Key Idea 5: Plants and animals depend on each other and their physical environment. - participate in activities that demonstrate how plants and animals, including humans, depend upon each other and the nonliving environment - participate in activities that demonstrate the relationship of the sun as an energy source for living and nonliving cycles Key Idea 6: Human decisions and activities have had a profound impact on the physical and living environment. - participate in activities which show how humans have changed their environment and the effects of those changes
362
357
Radiation therapy, also called radiotherapy or irradiation, can be used to treat leukemia, lymphoma, myeloma and myelodysplastic syndromes. Radiotherapy works by damaging the genetic material (DNA) within cells, which prevents them from growing and reproducing. Although the radiotherapy is directed at cancer cells, it can also damage nearby healthy cells. However, current methods of radiotherapy have been improved upon, minimizing “scatter” to nearby tissues. Therefore its benefit (destroying the cancer cells) outweighs its risk (harming healthy cells). When radiotherapy is used for blood cancer treatment, it's usually part of a treatment plan that includes drug therapy. Radiotherapy can also be used to relieve pain or discomfort caused by an enlarged liver, lymph node(s) or spleen. Radiotherapy, either alone or with chemotherapy, is sometimes given as conditioning treatment to prepare a patient for a blood or marrow stem cell transplant. The most common types used to treat blood cancer are external beam radiation (see below) and radioimmunotherapy. External Beam Radiation External beam radiation is the type of radiotherapy used most often for people with blood cancers. A focused radiation beam is delivered outside the body by a machine. The machine moves around the body to deliver radiation from various angles. Most radiation therapy machines use photon beams from a machine called a linear accelerator, or linac for short. The same type of radiation is used for x-rays, but x-rays use lower doses. This is the most common type of external beam radiation. At some cancer centers, proton beam radiation may be an option. Protons are particles with a positive charge. Proton beam radiation can be more targeted than photon beam radiation. This helps to minimize damage to healthy tissues and organs and may decrease the risk of long-term and late effects. This type of radiation therapy is newer and requires a special machine. The dose (total amount) of radiation used during treatment depends on various factors regarding the patient, disease and reason for treatment, and is established by a radiation oncologist. You may receive radiotherapy during a series of visits, spread over several weeks (from two to 10 weeks, on average). This approach, called dose fractionation, lessens side effects. External beam radiation does not make you radioactive. You'll need to prepare for radiotherapy by undergoing a "simulation" so the technician can determine the most effective ways to direct the radiation and position you during treatment. For the simulation, members of the radiation oncology team measure your body and sometimes mark your skin to ensure the radiation is aimed at the same part of your body during each treatment session. These marks are small dots usually made with semipermanent ink. You can choose to have the marks removed (by surgery or laser treatment) after radiotherapy is completed. However, some doctors encourage patients to keep the marks to show the exact site(s) of initial therapy if additional radiotherapy is needed in the future. Instead of marking the skin, a radiation therapist may mark an immobilization device — a mold, cast or similar object — used to help you remain still during the treatment sessions. You shouldn't feel any pain or discomfort during an external beam radiation treatment session. However, you may need to stay in one position for several minutes during a session, which is uncomfortable for some patients. Shields protect certain parts of your body, such as the testes or ovaries, from radiation. You'll likely spend 20 to 30 minutes in the treatment area even though actual radiation exposure lasts only a few minutes. When you receive the radiation, the treatment team leaves the room and stands behind a protective barrier to protect them from repeated exposure. They can still hear you and see you through a window or closed-circuit television camera. You can talk to them during the treatment and report any discomfort or special needs. In between sessions, let your treatment team know about any discomfort you experience so they can make changes if needed. During and after radiotherapy, you need to get plenty of rest and follow a nutritious diet. Eating well during and after cancer therapy can help you cope with side effects, fight infection, rebuild healthy tissue and maintain body weight and energy. Above all, a nutritious diet combined with regular exercise promotes overall wellness. Follow your doctor's advice about caring for skin exposed to radiation. To help damaged skin heal: - Shower or bathe with warm water - Protect the damaged area from the sun - Wear loose clothes - Get medical guidance before using skincare products on the affected area(s) To cope with side effects such as fatigue, seek support from healthcare professionals and other patients who've had similar treatment. - OncoLink, "Radiation Oncology" - An overview of radiotherapy. The site also features information about different types of cancer, treatment options and research advances. - National Cancer Institute, "Radiation Therapy and You: Support for People with Cancer" - Helpful information about radiotherapy and all aspects of cancer. - RT Answers - The patient website of the American Society for Radiation Oncology (ASTRO) features information about radiotherapy and cancer. - The Society of Nuclear Medicine (SNM) - Includes patient information about molecular imaging, radiation safety and procedures such as PET scan. - White Paper on Radiation Dose in Medicine - Download this white paper from the American College of Radiology.
1,123
1,084
Now you can skip hours of internet research and jump straight to getting answers with our meaningful at-a-glance Demographics Spreadsheet Report. With the most current & most popular demographic data, it's the perfect starting point for your research about 62901 and the rest of Illinois. We know 62901 Demographics, just keep scrolling... All 62901 population data above are from the US Census Bureau. The population data for 62901 are from the Census' American Community Survey 2017 5-year estimates. The demographic data for 60087, 60445, 62205, and 62921 are the most current, comparable demographics available from the US Census Bureau, are from the American Community Survey 2017 5-year estimates, and were downloaded on December 2017. Check out our FAQ section for more details. With 26,515 people, 62901 is the 179th most populated zip code in the state of Illinois out of 1,382 zip codes. But watch out, 62901, because 60087 with 26,216 people and 60445 with 26,258 people are right behind you. The largest 62901 racial/ethnic groups are White (60.9%) followed by Black (24.6%) and Hispanic (6.5%). In 2017, the median household income of 62901 residents was $23,801. 62901 households made slightly more than 62205 households ($23,536) and 62921 households ($23,281) . However, 41.2% of 62901 residents live in poverty. The median age for 6290101, IL Starter Report PDF? Click Here. See a sample Starter Report here.
348
357
Trenkle clocks are manufactured in one of the most beautiful valleys of the Black Forrest, Simonswald. The factory has been making traditional clocks for more than 30 years and everything is is produced and assembled in-house. Through modern carpentry workshop, the screen printed wooden boards are sawed and processed further so that all parts of the case are carefully assembled. Before a clock leaves the factory, it is tested, inspected and set. Deeply rooted in the century old tradition of Clock-Making, Black Forest Hönes-Clocks are still handmade near the worldwide known Titisee in a region very famous for its Clockmakers. The company’s philosophy today, as it was in the past, is to use woodcarvings and clock cases from regional production and to equip all clocks with the highest quality movements. The combination of Design, creativity and animation as well as much love to details makes Hӧnes clocks the essence of Black Forest high-class workmanship and appreciated worldwide. Worldwide the name HÖNES stands for Quality. It is our mission to create and supply the very best from the Black Forest. Lowell, specialising in clocks since 1972. Launched as a company producing wall-clocks, over the years Lowell has broadened its activities to all areas of time measurement: from design clocks, pendulum clocks, hall clocks, table clocks, alarm clocks, barometer clocks, to exclusive wristwatch collections. The continuous quest for new shapes and materials, the sensitivity to design trends, the exclusive production techniques, the passion and the sense of style typical of Italian quality are all distinctive features of every Lowell product.
337
330
SOUNDTRACK - Breathless (French: À bout de souffle; "out of breath") is a 1960 French film written and directed by Jean-Luc Godard about a wandering criminal (Jean-Paul Belmondo) and his American girlfriend (Jean Seberg). It was Godard's first feature-length work and represented Belmondo's breakthrough as an actor. Breathless was one of the earliest, most influential examples of French New Wave (nouvelle vague) cinema. The only collaboration between Martial Solal and director Jean-Luc Godard. The score mostly consists of variations on a five-note theme. Punctuated by efficient interventions of the vibes for drama, the pieces match the movie's hurried pace, nimbleness, and attention to details. Recorded in 1960, according to Martial Solal, his music would not have garnered any attention without it's association to the movie.
189
186
Recognizing the need to help educators and parents address issues with young people such as diversity, prejudice and post-9/11 fears, the National Football League and Scholastic have announced the launch of One World: Connecting Communities, Cultures and Classrooms, a unique program designed to develop cross-cultural understanding among students in fourth through sixth grades. Teachers and parents can download the One World: Connecting Communities, Cultures and Classrooms program at no cost by logging on to http://scholastic.com/oneworld. The program was funded by the NFL and NFLPA Disaster Relief Fund, which was set up following Sept. 11, 2001, to help respond to community needs resulting from the terrorist attacks. One World was written and developed by Scholastic, the global children's publishing and media company, in consultation with Facing History and Ourselves, a nonprofit educational organization. One World is an interactive, multitiered program for educators and parents to encourage dialogue with children about respecting each other, valuing diversity and ethnic differences, and taking positive actions to build stronger, more inclusive communities. "In our initial Disaster Relief Fund meetings, we recognized almost immediately that promoting diversity, tolerance and respect was an initiative we had to undertake," said NFL Commissioner PAUL TAGLIABUE. "As we looked into it further, we concluded that the most constructive approach would be to work with experts to help teachers and parents on these issues." "Educators tell us that this program meets an important need in the classroom," said NFLPA Executive Director Gene Upshaw. "Our hope is that all children will have the opportunity to learn and benefit from One World, whether it's a girl from an ethnically diverse neighborhood in the Bronx or a boy from Boise who has yet to be introduced to cultures other than his own." The One World kit consists of a 10-lesson program and turnkey materials for teachers and students. The components include: (1) a teaching guide with lesson topics such as "Getting to Know Ourselves," "Everyone Counts: Diverse Perspectives Shape the World," "Caution: Stereotypes Ahead" and "Choices and Consequences"; (2) a student journey book, a 32-page reading and writing journal with critical-thinking questions; and (3) a "Think It Through" classroom game to engage students in role-play scenarios. "Scholastic is proud to be part of this worthy program, and we applaud the initiative of the NFL to address these critical issues. The core values reflected in this program - respect and understanding - have always been central to Scholastic's corporate mission, and we hope the teaching materials bring students one step closer to real cultural understanding in America," said Steve Palm, vice president and publisher of Scholastic Marketing Partners. Leaders from the American education and government communities have commended the NFL and Scholastic for taking steps to fill this void. For more information on the National Football League's work in the community visit http://www.jointheteam.com Scholastic Corporation (NASDAQ: SCHL) is the world's largest publisher and distributor of children's books. Scholastic creates quality educational and entertaining materials and products for use in school and at home, including children's books, magazines, technology-based products, teacher materials, television programming, film, videos and toys. The company distributes its products and services through a variety of channels, including proprietary school-based book clubs, school-based book fairs, school-based and direct-to-home continuity programs, retail stores, schools, libraries and television networks, and the company's internet site, http://www.scholastic.com. Facing History and Ourselves is a nonprofit educational organization whose mission is to engage students of diverse backgrounds in an examination of racism, prejudice and anti-Semitism in order to promote the development of a more humane and informed citizenry. More information is available at www.facing.org.
825
791
It was a spiral effect....if you're curious here was the story of events. 1. Group of us bought a flight that would land us IN Key West. These flights were a premium because of this, and we were willing to pay for it. (if you've ever driven from Miami to Key West, you might understand). 2. Pilot is unable to land the plane because the plane was too big for the runway (6 seats in a row). This was *greed* by Delta to take so many. Talking with seasoned Key West travelers, they say that planes that big are never able to land in Key West, which is why all other airlines use smaller planes. 3. The failed landing results in them taking us to Miami and getting in a shuttle for the 6 hour drive to Key West. When we complained about it, their customer service said 'We only promise you that you'll get to the destination, now how, or when'. Our response was 'so if you had to drive us back to Pennsylvania, that'd be ok for you', their response was succinctly 'yes'. 4. Flight back was delayed by 10-12 hours for exactly the same reason (this was now flight 2 that they screwed up in a row). 5. After successfully complaining enough, we finally got a couple vouchers, which we tried to use for a flight about a year later. 6. We booked the flight with these certificates and cash about 6 months in advance, we needed to land at night, because we were reliant on some people to pick us up. In the 2 weeks preceding the flight they moved the flight time by *10 hours* to an extremely early flight, which we couldn't do without having to pay a couple hundred dollars in transportation. We asked them to cancel the flight and refund the money. They cancelled the flight alright, but they didn't put the money back on the certificates, nor gave us a refund. So now, 2 weeks before our trip, we don't have flights at all, and are out the cash. We ended up having to rebook the same trip because there was no alternative. This obviously then forced us to have to pay for this transportation. These are the first 3 flights...if anyone is actually reading this, I can continue :). Keep in mind my complaints are not necessarily on the flights themselves, but I'm leaving out how HORRIBLE their customer service was surrounding this. We quite literally got the response that a shuttle to a place 1000 miles away is completely adequate for transportation.
544
539
This is the last installment of my three part article on the lead crisis in the United States. You can read the first and second parts of this article by following these hyperlinks: Part #1, Part#2 Because of its toxicity and resilience, lead is not an easy chemical to clean up once it has contaminated an area. Cleanup efforts for widespread lead contamination are hard to organize, expensive, and disruptive, thus are often relegated to regions where an acute catastrophe has forced the issue into the public eye (e.g. Flint). From a purely technical standpoint, reducing lead contamination is fairly simple: - Bans on lead paint prevent people from coating their walls in toxic chemicals in the future and existing lead paint can be stripped off of walls and safely disposed of. - Lead pipes can be removed and replaced from all public water resources (e.g. water mains) while free testing lets homeowners determine if they need to replace their plumbing system. If lead is found in a household’s plumbing, subsidies could be provided to help them afford the transition. - Land that is suspected to have dangerously high levels of lead can be tested. If the lead levels are high, existing residents can be moved off of the land (e.g. through incentives) while future developments are stopped. Unfortunately, while these policies are mechanically simple, they are logistically and politically extremely hard to implement. For example: Replacing an entire nation’s water system to eliminate lead contamination costs billions of dollars and would disrupt water service to millions of households during construction. Relocating neighborhoods that are built upon dangerous levels of lead (e.g. East Chicago) is extremely controversial and would often displace the very poorest, who have nowhere else to go. In addition to the complications inherent to each of the lead-reduction strategies, there are funding and organizational issues that must be dealt with. Local lead crises are often simply too large and expensive to deal with on a local level—Flint is a perfect example of this—thus solutions must be funded by state or federal entities. This means that there needs to be a significant amount of coordination between neighborhood, city, state and federal stakeholders, oftentimes where there are few existing channels for communication (e.g. the residents of Flint have no direct communication with the EPA leaders). Further complicating this situation, is the issue that many Americans don’t want to pay for another person’s crisis, thus they oppose spending the billions of taxpayer dollars that would be required to address lead contamination in areas they don’t care about (often low-income urban neighborhoods). In short, the experts know exactly what must be done to greatly reduce the danger of lead contamination, but our leaders have refused to implement these solutions due to cost, political concerns, a lack of motivation and ignorance of the problem. Fortunately, these are all impediments that the American public can address. We must get informed on the threat of lead contamination and ensure that our public officials know that we want this issue addressed; we must demand proper funding for lead-reduction programs, starting with a complete overhaul of the drinking water infrastructure in the United States; and we must ensure that those who are the hardest hit by this crisis, yet least able to address it (e.g. poor Flint and East Chicago residents) are not the only ones demanding change.
691
661
Strolling down Cortina’s Corso Italia I couldn’t escape the feeling I’d strayed on to the set of a Bond movie...probably because I had. Not one of those new-fangled ones where the blood looks real and M actually gets killed. No, this is old school. Roger Moore dodging bullets on one ski with not an eyebrow hair out of place. Glamorous women parade in politically incorrect fur coats the size of bears, pre-austerity gems glitter in designer jewellery shops and was that George Clooney sipping a prosecco in that cocktail bar? Well no, actually, but he does visit occasionally. Cortina, which staged the 1956 Winter Olympics, was a playground for the rich long before 007 was pursued down its ski slopes by thugs on spike-wheeled motorbikes in 1981’s For Your Eyes Only. So probably not the place to look for a bargain ski break, you might think? In fact, Inghams’ Chalet Parc Victoria hotel, where we stayed, puts you right on the Corso as cheaply as many a less glamorous resort. In the bars, restaurants and on the slopes, prices were surprisingly low – £2.50 for a beer, £13 for a bottle of wine, £6 for a medium pizza and £18 for a two-course meal on average. The Italians who flock there at weekends and in high season seem to prefer shopping, drinking cappuccino and generally looking fabulous to skiing, so the slopes are not as crowded as they might be. We were there in low-season, January and had the snow to ourselves, literally on some runs. Cortina boasts that eight out of 10 of its days are sunny and as we sped down wide, empty pistes the pink-tinged rock faces of the Dolomites shone out against a deep blue sky. The place seems to have fallen out of favour with Brit skiers in recent years as purpose-built resorts offer easy access to huge linked ski areas but that often comes at the expense of crowded slopes, big lift queues and charm. Cortina’s ski areas are reached via cable cars at each end of the town, one taking you up to Tofana (six black, 12 red, 13 blue and six green runs, 47km of descent in all, including the thrilling women’s World Cup downhill course) the other to the Faloria-Cristallo-Mietres area (five black, 11 red, eight blue, 44km). The Parc Victoria has a minibus to save you lugging your skis across town and the driver will pick you up at the day’s end. Beginners and improvers will love the blue cruising runs and more experienced skiers will be challenged by some of the reds and steepish but wide blacks. For an extra £20 on top of the local six-day ski pass you can get a Dolomiti Superski pass giving you access to a huge ski area including the nearby Sella Ronda ski circuit. Inghams runs a day trip and it’s well worth it. A short shuttle bus ride from Cortina town is the Falzarego pass and Lagazuoi peak where there is yet more spectacular skiing and some fascinating historical sites. The First World War centenary last year was full of images of the trenches but some of the bitterest fighting was between the Italians and Austrians in the Dolomites. At the top of the Lagazuoi cable car you can explore the Austrian machine gun emplacements carved inside the mountains, linked by cramped tunnels. During the fighting, soldiers would make their way across the mountain ridges using a network of steel cables and ladders called via ferrata fixed to the rock. They still exist and you can hire a guide and equipment to take you along them in the summer. Nearby are the spectacular Cinque Torre – five stark towers of rock standing out from the mountain landscape where Sylvester Stallone’s climbing scenes in 1993’s Cliffhanger were filmed. After admiring the view, we skied down a short blue run to the fabulous Rifugio Averau, recognised as one of the best mountain restaurant/hotels in Europe. No meal is complete in Cortina without a shot of grappa. The northern Italian firewater, distilled from grape skins, has a multitude of flavours, the Cortina brew seasoned with cumin. Expert Stefano Morona will let you try before you buy at his Primizie shop in Cortina’s Via Stazione just off the Corso, which stocks everything from an £8 fruit-flavoured version to £135 bottles of 20-year-old grappa aged in oak barrels. Staying at the Parc Victoria you don’t even need to head into town after dinner. The hotel has a huge lounge with enough armchairs and sofas to accommodate several large groups and a well stocked and reasonably priced bar. Top marks to the Inghams chalet staff for their food and service, too. I reckon Bond could still afford a vodka martini or two in his old stomping ground. NEED TO KNOW * Peter Fenton visited Cortina as a guest of Inghams, who offer seven nights (B&B, afternoon tea, 5 course dinner with wine) at the four-star Chalet Hotel Parc Victoria from £549 per person including flights from Gatwick to Innsbruck, transfers, minibus service, and ski-hire delivery/collection. * Flights also available from Stansted (£19), Bristol (£39), Birmingham (£39), Manchester (£39), Leeds Bradford (£39) and Edinburgh (£59). See inghams.co.uk or call 01483 791 114.
1,234
1,173
Food safety is a concern at all stages of life but food poisoning in older adults is of particular interest. Here’s why. Seniors aged 65 or older are especially vulnerable and make up the largest portion of the 128,000 hospitalizations and 3,000 deaths that happen every year as a result of foodborne illnesses. Even if they don’t die, seniors are more vulnerable to long-term complications and disabilities as a result of food poisoning cases. Why Are the Elderly More Vulnerable to Food Poisoning? A few different factors contribute to why older adults are more at risk from foodborne pathogens. The most direct is that the immune system loses potency as we age and becomes less capable of fighting off intruders. Another element is how stomach acid production tends to decrease in older individuals. Since stomach acid is the first line of defense against foodborne pathogens, decreased production means it’s easier for intruders to survive ingestion. Lastly, elderly individuals are more likely to have chronic illnesses, recover from major surgeries, suffer from malnutrition or immobility, and other factors that increase susceptibility to infection. A large variety of diseases can be transmitted through food and the most common ones fall into the categories of bacteria or viruses. What follows is not an exhaustive list, merely a compilation of the most common causes. Bacterial Foodborne Illnesses in Adults and the Elderly - Botulism: Botulism is a rare disease caused by the spectacularly toxic Clostridium botulinum bacteria. The typical symptoms include double vision, blurred vision, drooping eyelids, slurred speech, difficulty swallowing, dry mouth, and muscle weakness that can advance to paralysis and death. Botulism tends to crop up in cases where food with low acid content is improperly canned. - E. coli: E. coli is one of the more common forms of food poisoning. E. coli causes stomach cramps, diarrhea, vomiting, and low grade fever. In the elderly these symptoms can result in life-threatening dehydration if not addressed. Unpasteurized milk, contaminated water, and eating food handled by someone who didn’t wash their hands properly after using the bathroom are all possible sources of infection. - Salmonella: This disease is spread similarly to E. coli and causes similar symptoms; however, it is less common. The main difference is salmonella can potentially spread to the bloodstream and cause life-threatening infections across the entire body. The elderly, infants, and those with compromised immune systems are most vulnerable to this side-effect. Common Viral Foodborne Illnesses in Older Adults - Hepatitis A: This is a short-lived type of the hepatitis liver infection. Hepatitis A is not chronic and is spread by contact with food, drinks, or objects contaminated with even microscopic amounts of infected fecal matter. Not everyone with hepatitis A will show symptoms but those who do can experience fever, fatigue, loss of appetite, nausea, vomiting, abdominal pain, dark-colored urine, clay-like bowel movements, joint pain, and a yellowing of the skin called jaundice. Hepatitis A is not normally fatal even among the elderly, but is known to cause liver failure in rare cases. This is more common if the person has other liver diseases, which the elderly are more likely to have. - Norovirus: The most common cause of foodborne illness outbreaks in the U.S., norovirus is extremely easy to spread. It causes a condition called gastroenteritis, which means that it inflames the stomach and intestines. This results in stomach pain, nausea, diarrhea, and vomiting and can be deadly in young children and older adults. Drinking and eating contaminated foods, touching contaminated surfaces, and contact with an infected person can all spread the disease. Sources of Foodborne Illnesses The above summaries mentioned a few ways that food poisoning can be transmitted but there are others. Speaking broadly, food can be contaminated in any of the following ways: - Meat becomes contaminated during slaughter by contact with intestinal content. - Fruit and vegetables can be irrigated with tainted water. - Salmonella can be transmitted through eggs. - Norovirus circulates in the sea through sewage dumping and can infect seafood. - Contamination by workers who don’t wash their hands thoroughly. - Cross-contamination by using the same knife, surface, or utensil to cook meat and fruit or vegetables. - A food product that is left in a warm, moist environment overnight. - Food that is not cooked thoroughly enough. It is worth noting that freezing or refrigerating a food does not kill the pathogens but often places them in a sort of suspended state. Since most microbes require building up to a certain level to pose as a health risk, refrigeration is often enough to prevent infection. Similarly, microbes can’t survive well in acidic or salty environments, which is why salted meat or pickled vegetables are typically considered safe. High levels of heat, even for a few seconds, can also kill off many microbes. There are, of course, exceptions to every rule. Listeria bacteria, for instance, can grow even when refrigerated and the staphylococcus toxin can survive high temperatures. How to Protect Yourself From Food Poisoning - Refrigerate or freeze all perishable foods. - Always thaw frozen food either in the fridge, cold water, or microwave. Cook the food as soon as possible after thawing. - Wash hands with warm, soapy water before preparing food. Wash hands, utensils, and work surfaces after contact with raw meat. - Don’t leave perishable food out for more than two hours, or one hour in case of room temperatures over 90 degrees Fahrenheit. This includes takeout or delivery meals as well. - If dealing with a pre-made hot meal, eat or refrigerate it within two hours of receiving the food. - Pre-made cold foods should be eaten or refrigerated immediately. - Thoroughly cook raw meat, poultry, and fish. Meat should be cooked to an internal temperature of at least 160 degrees Fahrenheit (ground) or 145 degrees Fahrenheit (whole), poultry should be cooked to a minimum of 165 degrees Fahrenheit, fish to 145 degrees Fahrenheit, and egg dishes to 160 degrees Fahrenheit. Use a meat thermometer to confirm temperature. Food poisoning in older adults is something that we all need to be aware of. Remember that there’s no need to take risks and erring on the side of caution can be important for safety. When in doubt, throw it out! Read More : Sources for Today’s Article: “A New Fact Sheet On Foodborne Illnesses In Older Adults,” Healthinaging.org, November 10, 2014; http://www.healthinaging.org/news/press-releases/article:11-10-2014-12-00am-a-new-fact-sheet-on-foodborne-illnesses-in-older-adults/. “Botulism – General Information,” Centers for Disease Control and Prevention web site, April 25, 2014; http://www.cdc.gov/nczved/divisions/dfbmd/diseases/botulism/. “E. Coli – General Information,” Centers for Disease Control and Prevention web site, November 6, 2015; http://www.cdc.gov/ecoli/general/index.html. “Foodborne Germs and Illnesses,” Centers for Disease Control and Prevention web site, September 24, 2015; http://www.cdc.gov/foodsafety/foodborne-germs.html. “Hepatitis A Questions and Answers for the Public,” Centers for Disease Control and Prevention web site, September 2, 2015; http://www.cdc.gov/hepatitis/hav/afaq.htm#causesymptoms. “Norovirus Overview,” Centers for Disease Control and Prevention web site, July 26, 2013; http://www.cdc.gov/norovirus/about/overview.html. “Older Adults and Food Safety,” United States Department of Agriculture web site, http://www.fsis.usda.gov/wps/wcm/connect/ab56957a-3f3c-4b67-aece-44ef1890b0fd/Older_Adults_and_Food_Safety.pdf?MOD=AJPERES, last accessed November 18, 2015. “Salmonella,” Centers for Disease Control and Prevention web site, March 9, 2015; http://www.cdc.gov/salmonella/general/index.html.
1,849
1,734
Facts: - weight lbs: 338 - number: -- - position: offensive tackle - height in: 8 - highschool: fort walton beach -lrb- fl -rrb- choctawhatchee - pfr: j/jonete01 - college: alabama state - status: active - height ft: 6 - birth date: 19 november 1991 - name: terren jones - currentteam: free agent - pastteamsnote: yes - birth place: fort meade , maryland - nflnew: terrenjones/2541511 - undraftedyear: 2013 Based on these bullet points, write a short biography describing the life of terren jones . The answer to this question is: terren jones -lrb- born november 19 , 1991 -rrb- is an american football offensive tackle who is currently a free agent .he played college football at alabama state university and attended choctawhatchee high school in fort walton beach , florida .he has been a member of the atlanta falcons , washington redskins , baltimore ravens , tennessee titans and buffalo bills .
302
264
Update: I’m working on a new, much updated version of this series. I’ll keep these pages around while that work is still in progress, but please check out the new pages for the latest information. For the most part, a DC motor can be approximated with an inductor and a voltage source. In some cases however it is important to model the internal resistance of the motor as well: The inductor represents the motor winding. The resistor represents all the electrical losses in the motor. The voltage source represents the ‘generator voltage’ and is proportional to the rotational speed of the motor. It is denoted with Vg. The current through the motor (or any of the elements, since they’re in series) is proportional to the torque of the motor. There are two important extremes. One is when the motor runs with no load. In this mode the torque of the motor is only used to compensate for the losses. If we disregard those for a minute, than we see that the current is 0 (no torque is required) and the voltage on the motor terminals is Vg. If we consider losses as well, the current is still fairly low, and the voltage on the motor terminal is still close to Vg. The other extremes is when the motor is stalled. In this mode their’s no rotation, so Vg is 0. The motor acts as an inductor. The current through the motor will generate torque but the voltage on the motor terminals will be 0 (or close to 0 if we consider losses as well). Though we will in most cases ignore motor losses in the following discussions, or consider them constant, in many cases motor losses are dependent on the speed. We will also consider Lm, Rm and Vg to be constant at a given speed, at least for the most part. In fact however due to the commutation in the motor, and the conducting winding relative position to the stators’ magnetic field, all of these values are a function of the rotor position as well. This will become important when we’ll discuss back-EMF measurement. A bridge can be driven in many different ways. In general, the on-time behavior is rather simple: you have to turn on one high-side and the opposite low-side switch to allow current to flow through the motor. It is the off-time drive that makes a difference. Since Q1 and Q2 (or Q3 and Q4) should never ever be turned on at the same time, there’s only three different combinations for those two switches. Either Q1 conducts, or Q2 conducts, or none. In the following diagrams I will use a simplified drive notation: low level means that the low-side is turned on (Q2 or Q4). A mid-level denotes the state where neither of the switches conduct, while high means that the high-side is turned on (Q1 or Q3). It is important to note that actual drive voltages depend on the component selection (‘P’ or ‘N’-type high-side MOSFETs), and that two independent driving signal will have to be generated for the two transistors: |Symbolic and actual drive signals for ‘N’-type high-side MOSFETs||Symbolic and actual drive signals for ‘P’-type high-side MOSFETs| Continuous and discontinuous current This is actually a switching power supply term, but in many ways H-bridges and step-down power supplies are quite similar. It denotes two significantly different operating modes of the bridge. Whether the current in the motor reaches 0 during the off-time or on. If it does, we’re talking about discontinuous current mode, if it does not, continuous current mode. The distinction is important for many reasons, among other things the dissipated power on the catch diodes will be different. The ratio between the max. current and the average current on the motor will always be greater than two for discontinuous and lass then two for continuous mode operation. From this standpoint, continuous mode is preferred. On the other hand, whenever the current drops to 0, the voltage on the motor terminals will be Vg (no voltage drop on the resistor or the inductor), which can be used to measure the speed of the motor. Whether the circuit operates in continuous or discontinuous mode depends on the drive mode, the load of the motor (more precisely the speed of the motor) and the power supply voltage. In the following discussion I will assume discontinuous operating modes. The calculations can be easily repeated for continuous mode as well. Also, I will always assume that during on-time Q2 and Q3 are conducting, in other words, the motor is energized in the forward direction. This is the simplest drive mode. During on-time (as with all other drive modes) one high-side switch and the opposing low-side switch is closed, the other two are opened. The motor current increases during this period from 0 to its maximum value. During the off-time, the high-side MOSFET stays on, while the low-side is turned off. The motor current will continue to flow through Q3 and D1. It cannot flow through D2 since the forward current on D2 is in the opposite direction to the motor current (in other words D2 will never be forward-biased in this mode). The voltage on the motor terminals will have to be VF for this. The voltage on the motor coil will be Vg+VF-I*Rm, or approximately Vg, disregarding Rm. If the motor is under no load, than Vg is approximately Vbat*ton/tcycle. If the motor is stalled, Vg is 0. Since the current change on the inductor is proportional to the inductor voltage (VL=L*dI/dt), in the no load case, the current will decrease very slowly, while in the stalled case, it will decrease in approximately the same rate as it increased. Once the current reaches 0, D1 closes, and the generator voltage Vg appears on the motor terminals. The circuit remains in that state until the next cycle begins. As it can be seen from this explanation, D1 is conducting during the off-phase, until current reaches 0. It starts conducting with the maximum current. Assuming that the current decreases linearly (in other words, neglecting resistive components in the circuit), the total dissipated power is: where tcollapse is the time it takes the current to reach zero, and tcycle is the cycle time. The time it takes for the field to collapse depends mainly on the voltage that the motor-inductor sees. Since it is roughly Vg, which can even be 0, the collapse time is rather long. That means that the diode conducts for a significant amount of time during the cycle, so the power dissipated on the diode is rather substantial, so much so that it can be damaging to the device. If that is the case, other drive modes has to be employed, where the diode stress is lower. A variant of this drive-mode is when instead of Q3, Q2 conducts for the whole duration of the cycle. This results in D4 becoming the conducting element for the collapse current. The collapse time and other operating parameters of the circuit is roughly the same: It is usually a good idea to switch the high-side element as few times as possible, since their turn-on transients are slower, and thus their switching losses are higher. In that sense the first drive mode preferred. However if the operating frequency is low enough that switching loss is not an issue, one can equalize the power-dissipation on D1 and D4 by alternating the two drive-modes. This trick can cut dissipated heat on each of diodes in half and can very well move them to the safe operating range. At any rate, higher average and peak current can be achieved with this operating mode, provided that the diodes are the limiting factor. Lock anti-phase drive This rather popular drive mode removes almost all stress from the catch-diodes. In this mode, the motor is energized in the reverse direction during the off-time. In other words during the on-phase Q2 and Q3 are conducting while in the off time Q1 and Q4 are on. The diodes never carry current except for the short period of switching the transistors. During the off-time the voltage on the motor windings is roughly Vbat+Vg, significantly higher than for the previous drive modes. This results in much faster collapse of the field. The problem however with this drive mode is that once the current reaches 0, it continues to decrease, into the negative values. At this point the motor is energized in the reverse direction, effectively trying to turn the shaft in the wrong direction. Another characteristic of this drive is that the generator voltage (Vg) never appears on the motor terminals. It is not a big problem for traditional motor driver circuits however if back-EMF speed-control is to be used, this drive mode is not suited for it. Active field-collapse drive This is a variation of the above idea: during the off-time connect the battery in the reverse direction to the motor, so that the collapse of the field is faster, however don’t let the motor current to become too negative. In this mode, during on time we have the usual Q2 and Q3 conducting, but in the off-time, we turn off both of them, and turn on Q1. This result in D4 becoming forward-biased, opening and start conducting current. The motor inductor still sees Vbat+Vg, so the field collapses in the same rate as in the previous mode. However once, the current reaches 0, D4 closes, and Vg starts appearing on the motor terminals. The problem with this however is that, since the left side terminal is pulled to Vbat and the motor still rotates in the forward direction, Vg will forward-bias D3, and open it. The result is that motor is effectively short-circuited, and the generator voltage instead of appearing on the motor terminals, manifests on the internal windings. This in turn will start generating current through the motor again, though in a much slower rate than it was collapsing previously. The load on the diode (in this case D4) is non-0, but much lower than in the sign/magnitude drive case, since the collapse happens much faster. There is some power dissipated on D3 as well, but that is again is much lower than previously since the motor current only slowly increases – in the same rate as it collapsed in the sign/magnitude drive case – but it starts from 0 and not from Imax. Modified active field-collapse drive If it is possible to measure motor terminal voltages in the circuit, some modifications can be made to the above drive mode to make it more efficient. As it can be seen from the previous diagrams, when the motor current reaches 0, the ‘B’-side motor terminals voltage jumps from ground to Vbat+VF. If the circuit can detect this transition and turn Q1 off, and Q2 on, the motor will not open D3 any more, Vg can appear on the motor terminals, and the current remains 0. This drive-mode removes all stress from D3, the only conducting diode will be D4. However it inherits the fast collapse of the motor current from the previous design, and so it dissipates significantly less power than the sign/magnitude drive modes. One interesting characteristics of the active-collapse drive modes (both the original and the modified) is that the collapse current flows through the battery. What it in effect means that during the off-time the collapse-current charges the battery back. While in general this is a good thing, it has to be ensured that the battery is be able to sink that current, otherwise Vbatstarts rising potentially to dangerous levels. If the battery cannot sink the energy pumped back by the collapse-current, a large capacitor must be connected to the power supply to damp the battery voltage-increase. The exact value of this capacitor can be calculated from the amount of charge the collapse-current delivers (Imax*tcollapse/2) and the maximum allowed battery voltage increase. In general this will be a rather large value. Synchron collapse drive If one can measure the current through the motor, and accurately detect when it crosses 0, it becomes possible to modify the lock anti-phase drive in a different way. In this case, during the off-phase Q1 and Q4 are conducting, but only until the field collapses. At that moment, both Q1 and Q4 are turned off and instead Q2 (or Q3) are turned on. This will allow Vg to appear on the motor terminals, but none of the diodes will be forward-biased so the current remains 0 for the rest of the off-cycle. Since the diodes never conduct except for the short switching periods, the power dissipated on them is insignificant. However this mode requires rather precise detection of the zero-crossing of the motor current, which might be hard to do reliably. Which drive-mode to use? The choice of the drive-mode depends on many things, but here are some guide-lines: - If collapse current is not an issue, but operating frequency is high, consider the sign/magnitude drive, with the high-side continuously conducting. - If diode power dissipation is a problem, but operating frequency is still rather high, see if distributing diode load by alternating the two sign/magnitude drives can get you within limits - If the motor is not expected to ride under high loads or low speeds, consider locked anti-phase drive. - If back-EMF measurement is not an issue, the active-collapse drive can be a good compromise between power dissipation and complexity. - If back-EMF measurement is important, or the design can tolerate the additional complexity, the modified active-collapse drive, or the synchron collapse drive can be a good choice - For the highest current application synchron collapse drive is ideal, or maybe the locked anti-phase drive, if accurate current measurement is not possible.
3,042
2,902
Approximately 4,000 Dokhpa people live in northern India, along the Indus River in Ladakh and Kargil districts of the state of Jammu and Kashmir. Their villages are named Garkun, Darchik, Chulichan, Gurgurdo, Batalik and Da. They formerly lived in Hanu village as well, but now no Dokhpa people appear to live there. There may be a small number of Dokhpa living in Pakistan-controlled Kashmir. Interestingly, K S Singh, in his authoritative book on India's tribes, says, 'Their population for the 1981 census is not available as the community was notified as a scheduled tribe only in 1989.' The official classification of the Dokhpa in India appears to include three sub-ethnicities: the Brokpa, Dard and Shin. The Dokhpa should not be mistaken for other similarly named groups in the Himalayan Region, including the Drokpa people of Nepal and the Brokpa of Bhutan. Brokpa is a name also given to this group by the Ladakhi people. The Dokhpa's language is called Brokskat. It is part of the Shina branch of the Indo-European linguistic family— the only one of the seven Shina languages that is spoken in India. Five of the Shina languages are spoken in Pakistan and one in Afghanistan. This linguistic link confirms the suspicions of K S Singh, that the Dokhpa 'are the descendants of the Dards and have migrated from Gilgit. The history of their migration is preserved in their folk literature. ' Although they live in the same area as the Ladakhi, the Dokhpa are distinguished by their linguistic differences and also by appearance. The Dokhpa 'wear headgear and a gown, the former being decorated with flowers, beads, needles, ribbons and buttons. Both men and women are particularly fond of flowers. Women style their hair in plaits while men shave the front portion of the head and have a long pigtail. The men and women cover their body with goat skin, lined inside with fur.' The main staple food of the Dokhpa is roasted barley flour, called sattu. Certain foods, such as beef, cow's milk, birds and eggs, are strictly taboo because of religious and superstitious beliefs. While all of the closest ethnolinguistic relatives of the Dokhpa people are Muslims living in Pakistan and Afghanistan, most Dokhpa in India follow the Tibetan Buddhist religion. 'The deities worshipped by them are La, Dogla and Sapdak, to whom animal sacrifices are offered. They also believe in demons.... Marriage ceremonies are conducted by the Buddhist priest, the lama, at the bride's place. When a death occurs, the lama is called upon to assist the chief mourner to conduct the funeral rites. The dead are cremated in a lying posture and a member of the clan lights the funeral pyre. The remains of the bones and ashes are buried.' Smaller numbers of Dokhpa people follow their traditional animistic religion, while a few have converted to Islam. Few Dokhpa people have ever been exposed to the gospel. Although there are more than 200 Christians among the neighbouring Ladakhi, few are engaged in sharing their faith. Approximately 4,000 Dokhpa (Broq-Pa) people live in northern India, along the Indus River in Lakakh and Kargil districts of the state of Jammu and Kashmir. Their villages are named Garkun, Darchik, Chulichan, Gurgurdo, Batalik and Da. Peoples of the Buddhist World, 2004 Approximately 4,000 Dokhpa (Broq-Pa) people live in northern India, along the Indus River in Lakakh and Kargil districts of the state of Jammu and Kashmir. Their villages are named Garkun, Darchik, Chulichan, Gurgurdo, Batalik and Da.. Peoples of the Buddhist World, 2004 Joshua Project data is drawn from many sources and of varying accuracy depending on source and editorial decisions. Populations are scaled to the current year. Other data may have varying ages. We welcome suggested updates. A displayed zero can mean true zero, a very small rounded number or sometimes unknown. Blanks mean an unknown value. The data is sometimes not as precise as it appears. Values for %Christian Adherent and %Evangelical (which determine unreached status) are often informed estimates, some more accurate than others. We recommend against using %Christian Adherent and %Evangelical to calculate absolute numbers. Joshua Project makes every effort to ensure that the subject in an image is in fact from the specific people group. In rare instances a representative photo may be used. Joshua Project may be able to provide more information than what is published on this site. Please contact us. On-the-ground reality may vary from what is presented here. Before making travel plans based on data presented here, please confirm with other sources to the extent possible.
1,072
1,056
<issue_start><issue_comment>Title: [Enhancement] New option to show sign column when error lines haven't been displayed yet username_0: On vim with neomake, the sign column is only visible when there have been errors/warnings on one of the displayed lines. For example let's say that I just open a file which has an error on line 95 and only lines 1 to 10 have been displayed so far, then run neomake. What happens is that the sign column won't appear until you navigate and display the error line for the first time. The same example with syntastic would have shown the sign column from the beginning, without needing to come across the error line. The importance of this issue is that seeing the sign column from the beginning tells you that there is an error/warning somewhere in the document, whereas with the current vim/neomake setup you can't tell. I don't know if the current behavior is desired, maybe developers are looking forward to display the sign column only when there are errors/warnings on visible lines and hide the sign column otherwise. Maybe it's a consequence of the (great) async mechanism. However I think that if possible, it would be a good idea to provide an option to draw the sign column whenever there is an error/warning line anywhere on the document. I am using vim 8 but I haven't tested this on neovim. <issue_comment>username_1: See https://github.com/neomake/neomake/pull/471. <issue_comment>username_2: Note, that you can simply set the 'signcolumn' option <issue_comment>username_0: But if you set signcolumn=yes, then it will be always visible. The point is that the sign column should appear when there is one error/warning anywhere in the document in order to know that you have made a mistake somewhere, and not appear when you haven't made any(or the checker hasn't detected any).<issue_closed>
439
413
Imagine a vegetable garden where the tomatoes are plump and juicy with perfectly unblemished skin, pepper plants so strong that they easily bear the weight of their dangling bell fruits, and leafy greens as crisp as they are sweet and tender. All these good qualities would not be possible without calcium. Never part of our dreams are fruits with the bottoms rotting out while still growing on the vine, scorched leaf tips, or weak and distorted growth. But sometimes, that’s the reality of it, and these are the surest signs your plants aren’t receiving enough calcium. As one of the 17 essential plant nutrients, calcium is the reason plants have a sturdy physical structure and firm-fleshed fruits. It also has a hand in nutrient transport, root growth, plant reproduction, and overall soil health. Calcium has a protective effect on plants, too – sending out signals to thicken leaves and stems to defend against pests, diseases, and other environmental stressors. So when you spot the classic symptoms of calcium deficiency, you’ll need to act quickly to save the harvest. The fastest way to get calcium to plants isn’t through the soil but to take the calcium directly to the leaves. Using Liquid Calcium to Fix Deficiencies Being that calcium is an immobile nutrient – once absorbed, it stays put – calcium deficiencies first appear on the farthest reaches of the plant: the blossom ends, the tips of leaves, and the root tips. For plants to grow big and strong, a continuous supply of calcium is needed from start to finish. Eggshells, composed of 95% calcium carbonate, are an easy source of calcium for the garden. Sprinkling crushed eggshells around plants is a great thing to do as a preventative measure to gradually build up calcium levels in the soil – but it’s terribly slow. To become available to plants, eggshells need to undergo several transformations. First, the eggshell fragments would have to dissolve completely into calcium ions. Then, with the help of our soil microorganisms, the ions need to be converted into a water-soluble and mobile form of calcium that plant roots can absorb. The whole process, from eggshell to fertilizer, can take months to complete. Even so, all the calcium in the world won’t help if the real cause of the calcium deficiency is environmental. The soil may be rife with calcium, but unseasonably hot or cool temperatures, drought or waterlogging, as well as salty or acidic soil, can interfere with calcium uptake by plants. But by making a water-soluble and calcium-rich foliar spray –from eggshells – we can sidestep soil, temperature, and irrigation problems altogether. Yep, we’re cutting out the middle man (the soil) to directly deliver calcium to plant tissues ASAP. How to Make Liquid Calcium Fertilizer from Eggshells Eggshells, white vinegar, and a bit of time is all it takes to make liquid calcium for our garden crops. It’s super easy and costs only pennies to make. Step 1 – Collect Some Eggshells If you’re not already setting aside eggshells for a plethora of uses around the garden, you’re missing out on a free and abundant source of calcium! Every time you crack an egg, rinse the shell with cool water to clear away the gooey remnants. Place the shells in a bowl to dry. You’ll need to collect at least 10 eggshells to whip up a batch of liquid calcium. Step 2 – Sterilize the Eggshells in the Oven As an extra layer of precaution, sterilizing the shells with heat will remove potential pathogens and bacteria. Lay out your eggshell collection on a baking sheet and place in the oven at 200°F for 30 minutes. Step 3 – Crush Eggshells into a Fine Powder For making liquid calcium, the smaller the eggshell particle size, the better. You can use a blender, coffee grinder, food processor, or mortar and pestle. Or, pop the shells in a bag and crush them with a rolling pin. Once the eggshells are rendered into a fine grit, transfer them to a container. Aside from its practicalities in the garden, eggshell powder is excellent for increasing our own calcium intake. You can add eggshells to your diet by dropping a spoonful of powder in your coffee, tea, fruit smoothies, and vegetable broths. Step 4 – Combine Powdered Eggshells with Vinegar Dissolving eggshells into a liquid is as simple as adding distilled white vinegar. The ratio to use is 1 tablespoon of eggshell powder for every cup of vinegar. But before you mix them, make sure you have a container that is about 3 times the volume of liquid. Do you remember the classic baking-soda-and-vinegar erupting volcano science project? Swap out the baking soda with another alkaline material – like eggshells – and the same gushing chemical reaction will occur. After a few minutes, the solution will settle down. Mix it together thoroughly with a wooden spoon. Cover the jar with a breathable material, like cheesecloth or a paper coffee filter, and secure it with a rubber band. It takes about two weeks for the acids in the vinegar to break down the eggshells into calcium. Mark your calendar and place the jar in a cupboard. While you wait, give it a stir every so often. Step 5 – Dilute Liquid Calcium with Water After sitting in the vinegar for about two weeks, the eggshell powder has dissolved completely to create a thin, milky liquid. If there are still eggshell remnants floating in the vinegar, leave them for a few more days or simply strain them out. This solution is quite acidic. Before applying it to soil or plants, dilute it first by mixing 1 part liquid calcium with 5 parts water. Step 6 – Apply it to Your Calcium-Loving Plants Although all plants need calcium, some crops have a higher requirement than others. Tomato, pepper, cucumber, zucchini, pumpkin, melon, lettuce, broccoli, cabbage, and cauliflower, as well as cherry and apple trees, will be especially appreciative of a calcium boost. Transfer the diluted liquid calcium to a spray bottle to give them the foliar treatment. To prevent blossom end rot, the best time to spray plants is before bloom set or just after flowers have opened up. Before you spray, it’s wise to do a spot test first. Soak a small area of foliage and wait a few days. If all looks good and there isn’t an adverse reaction – such as wilting, burning, or discoloration – you can go ahead and spritz the rest of your crops. When you have the all-clear, be thorough and spray the entire plant from top to bottom. Make sure you’re wetting both the top and underside of the leaves. As always, apply foliar sprays in the evening or on overcast days so the wet leaves don’t get scorched in the sun. If it’s been raining a lot, you can use this solution as a soil drench to deliver calcium to the roots, too. Any leftover liquid calcium will keep for 6 months to 1 year. Seal it up tightly with a lid and store it in a cool, dark place, and you’ll have ready-made, water-soluble calcium for the rest of this growing season and the next.
1,599
1,523
Q: Ejecutar un método nada más inicializar un objeto Quisiera saber si existe alguna manera en Java de ejecutar un método nada más inicializar un objeto. Mi idea es: Al crear un objeto, que nada más crearlo, se ejecute un método privado del propio objeto que permita leer de un fichero para inicializar las propiedades de este objeto. Querría mantener la misma estructura de la clase, tanto los getter como el método read privado. Porque, como solo tengo que leer en esa clase, no lo necesitaría público. private void read(){ long lNumeroLineas = 0; try { FileReader fr= new FileReader("/Users/jesussmariscal/Desktop/Theater_APP/play.txt"); BufferedReader br= new BufferedReader(fr); String s; do { s=br.readLine(); if (! s.equals("/n")){ lNumeroLineas++; if (lNumeroLineas==1) { this.title=s; String[] tituloSeparado = this.title.split(":"); this.title=tituloSeparado[1]; } if (lNumeroLineas==3) { this.description=s; String[] descripcionSeparada = this.description.split(":"); this.description=descripcionSeparada[1]; } if (lNumeroLineas==2) { this.image=s; String[] imageSeparada = this.image.split(":"); this.image=imageSeparada[1]; } } } while (!s.equals("null")); } catch (Exception e) { } } Porque tengo los siguientes métodos: public String getTitle() { return title; } public String getImage() { return image; } public String getDescription() { return description; } Y no querría meter dentro de cada getter la función de read() para no saturar y porque es redundante. Es por ello que me gustaría saber si existe alguna manera que me permita que nada más crear un objeto de esa clase, se ejecute ese método dejándolo como privado. A: A constructor is used in the creation of an object that is an instance of a class. Typically it performs operations required to initialize the class before methods are invoked or fields are accessed. Un constructor se usa en la creación de un objeto que es una instancia de una clase. Normalmente realiza las operaciones necesarias para inicializar la clase antes de invocar métodos o acceder a campos. Oracle tutorial constructors Un constructor se ejecutará una única vez en cada instancia, además, será la primera "acción" que el objeto ejecutará, es decir, al momento de crear un objeto este invocará a su constructor, si no le has especificado uno, ejecutará un constructor vacío. Clase main public class Main { public static void main(String... args) { DummyClass dummyClass = new DummyClass(); } } Clase dummy public class DummyClass { public DummyClass () { sayHello(); } private void sayHello() { System.out.println("Hello world"); } } Verás que al momento de crear una instancia de DummyClass accionará el método sayHello, puedes verlo mejor si cambias tu main a: public static void main(String... args) { new DummyClass(); new DummyClass(); new DummyClass(); new DummyClass(); }
1,403
716
Thermohaline circulation, also called the Global Ocean Conveyor, moves water between the deep and surface ocean worldwide. Image courtesy Argonne National Laboratory Melting Arctic Sea Ice and the Global Ocean Conveyor Seawater moves through the Atlantic as part of the Global Ocean Conveyor. That’s the way that seawater travels the world’s oceans. The water in the Global Ocean Conveyor moves around because of differences in water density. In the North Atlantic, the differences in water density are mainly caused by differences in temperature. Colder water is denser than warmer water. Water heated in the warm tropics. The warm water travels at the surface of the ocean north into the cold north polar region. The chilly temperatures cool the water. As it cools, it becomes denser and sinks to the deep ocean. More warm surface water flows in to take its place. Then that water cools, sinks, and the pattern continues. Melting Arctic sea ice could change this pattern, or stop it altogether. Arctic sea ice is melting fast as the climate warms. When the sea ice melts, it adds freshwater to the ocean making the seawater less dense. The less dense water will not be able to sink and circulate through the deep ocean as it does currently. This will disrupt or stop the Global Ocean Conveyor and could cause climate to cool in Europe and North America. This would not be the first time that the Global Ocean Conveyor was stopped. There is evidence from sedimentary rocks and ice cores that it has shut down several times in the past. Those shut downs have caused changes in climate that are preserved in the rocks and fossils from the time. You might also be interested in: The world’s oceans, the Pacific, the Atlantic, the Indian, the Arctic, and the Southern Ocean, have different names, but they are really not that different. Water moves between them all the time. So they...more Density is a measure of how much mass is contained in a given unit volume (density = mass/volume). Put simply, if mass is a measure of how much ‘stuff’ there is in an object, density is a measure of how...more Sea ice is frozen seawater. It floats on the oceans that are in Earth's polar regions. The salt in the seawater does not freeze. Very salty water gets trapped in the sea ice when it forms. The pockets...more In the Arctic, you will find the Arctic Ocean surrounded by the continents of Europe, Asia, and North America. You will find the geographic North Pole and the magnetic North Pole there; both are in the...more Looking for online content that can be used for a climate change education course or module? Pages linked below can be used to support an introductory climate change education for either a unit or a full...more Polar exploration includes the exploration of the Arctic and the Antarctic. The Arctic is the area around the Earth's north pole. Antarctica is a continent that surrounds the South Pole. When you think...more What Will You Find There? If you travel to the South Pole, you will find the continent of Antarctica surrounded by the Southern Ocean. The geographic South Pole is marked by a large sign that scientists...more
677
653
Hydrolysis is a chemical reaction during which one or more water molecules are split into hydrogen and hydroxide ions, which may go on to participate in further reactions. It is the type of reaction that is used to break down certain polymers, especially those made by step-growth polymerization. Such polymer degradation is usually catalysed by either acid, e.g., concentrated sulfuric acid (H2SO4), or alkali, e.g., sodium hydroxide (NaOH) attack, often increasing with their strength or pH. Hydrolysis is distinct from hydration. In hydration, the hydrated molecule does not "lyse" (break into two new compounds). It should not be confused with hydrogenolysis, a reaction of hydrogen. Still with me or have you dropped off yet?! ¨°º¤ø„¸Dylan, Poppy & Kipling's ¸„ø¤º°¨ ¸„ø¤º°*¨''' ' "*Mummy`` "*'¨°º¤ø„¸
233
215
This is not music, and a binaural mic is not a regular stereo mic. What kind of dramatic atmosphere will you get in a dead room? If it's supposed to sound like a dungeon, you need a big hollow verb. I'm not defending the quality of the piece in general (I think it's so-so) but I think you've completely misinterpreted the creators' intentions. Do you think all film and game sound sets out to come across dry and dead? Dead rooms are preferable so that you can digitally add the exact verb you want afterwards, not so that you have no verb whatsoever.
130
128
The boundaries define a space of containers and places (the traditional domain of architecture), while the networks establish a space of links and flows. Walls, fences, and skins divide; paths, pipes, and wires connect. The traditional idea of the American campus as “a place apart” [4] is being modified today through increasing porosity with the surrounding urban environment and the advent of online education. Framing the campus as both container and network allows us to understand how the idea of the campus as a community dedicated to the exchange of ideas and the production of knowledge is being internalized in large-scale urban university buildings at the same time that distance learning and MOOCs (massive open online courses) are breaking down the boundaries that define access to higher education. The history of the relationship of the campus to the city illustrates this changing boundary condition. Each college or university is an urban unit in itself, a small or large city. The traditional American university assumes a mission-specific community living in an internalized urbanity. Paul Venable Turner noted, “The early buildings of Johns Hopkins in Baltimore were simply separate structures on the city streets, with nothing in their overall plan to give the university a special physical character.” [7] But as aspirations to become a “city of learning” rose, so too did the University’s architectural ambitions. Like other institutions of its kind, such as Columbia University in New York, in the early-twentieth century it moved to a site at the edge of the built-up city, conceived in the spirit of the “City Beautiful,” using Beaux Arts planning techniques. What constituted the city of learning was not its urban location, but its all-encompassing form and community, establishing the campus as “a place apart,” with its own built-in urbanity. Indeed, the architects of many universities, anticipating disorderly twentieth-century urban growth, tightened the buildings at the perimeter of the campus to create solid walls facing urban streets, necessitating controlled access points through gates. Mayor Bloomberg’s experience of collegiate life, mainly his engineering classes, fraternity, and leadership opportunities, is what most people think about when they ponder an American campus: the undergraduate experience of the “academical village,” best exemplified by Thomas Jefferson’s University of Virginia, where professors lived above their classrooms within range of student dorms, and the entire complex focused on the seat of knowledge, the library. Many consider the ideal form of this campus to be “an arrangement of buildings in the open, separate from the structure of a surrounding city.”8 Even today, as students desire more dynamic urban-like experiences, this urbanity is focused internally, with the University of Cincinnati’s “Main Street” a primary example. The re-urbanization of the IIT site is internal, and the experience of students focused inward rather than outward toward the amenity-less streets surrounding the campus. In this respect, McCormick Tribune is the opposite of “Loop U,” just a few miles to its north, where over 50,000 matriculating students belonging to over half a dozen institutions of higher education attend classes, live (in some instances), eat, and socialize within the context of Chicago’s Loop and South Loop neighborhoods. Here, the desire of undergraduates to attend school in a dense urban setting and professional graduate students to co-locate among the law offices, courts, and businesses of their future professions has produced a 24-hour revitalization of the central city, which many urbanists see as a model for university-city real estate development. [11] In Loop U, the campus space and urban space are one and the same. At the IIT Campus Center and the University of Cincinnati’s Main Street, urbanity is simulated within the carefully monitored space of the architecture. Important to O’Mara’s definition of the city of knowledge is its dependence on federal funding and policies, a location distant from the declining industrial city — the growing suburbs of the mid-twentieth century — and models of architecture, planning, and landscape derived from the campus tradition. Silicon Valley is a prime example, with communities of researchers, co-located geographically, but internally secured by moats of parking lots or garages and controlled access: “campuses” even more bounded than the academic campuses they imitated. A Google Earth view of Silicon Valley reveals islands of corporate research floating in a sea of parking and access roads. Spaces like Cornell NYC Tech embed the teaching of the historical campus with the research of the research park. They increasingly take their design cues from the interactivity promoted by urban incubators for start-ups and innovation spaces within corporate campuses. As The New York Times noted, “Cornell NYC Tech is not just a school, it is an’educational start-up,’ students are ‘deliverables’ and companies seeking access to those students or their professors can choose from a ‘suite of products’ by which to get it.” [17] The most significant boundaries being crossed here are those between academia and business. Yet, while the boundary of the campus has been shrink-wrapped to the building’s exterior glass walls, its green spaces are a vast improvement over the parking lots of Silicon Valley. Certainly, universities think they are opening up their borders to the city at large. Marilyn Jordan Taylor has referred to the new Columbia University Manhattanville campus as “Campus and Not Campus.” Writing of SOMs work with the Renzo Piano Building Workshop, she has stated: “Our collaboration… is intended to create a place of transparency, porosity, and urbanity,” where “the energy of the city and academy [flow] together.” [18] By contrast to Columbia’s Beaux Arts Morningside campus, with its perimeter buildings walling off the neighboring context, the design of Manhattanville allows the street grid to run through it, provides outdoor space to the public, and reserves the ground floor for public and commercial uses. Ironically, the web pages promoting courses on sites such as edX and Coursera tend to feature the ways in which the campus experience will be brought to you. The preview for Michael Sandel’s “Justice” class at Harvard University, known to draw upwards of 600 students to the in-classroom experience, focuses on the interactive space of the lecture within the hallowed Sanders Theatre in Memorial Hall and the repartee between professor and students both inside the classroom and as they walk across Harvard Yard. More intimate is the Coursera, offering “The Modern and the Postmodern,” by Michael S. Roth, the president of Wesleyan University, with whom we enjoy a face-to-face encounter in his book-filled office. The course The Modern and the Postmodern by Michael S. Roth from Wesleyan University will be offered free of charge to everyone on the Coursera platform. However, even as the physical place of the campus has become “spatially discontinuous” through the migration of teaching to virtual space, the opening up of formerly gated spaces to neighboring communities, and the dispersal of facilities around the urban fabric, old town-gown divisions still exist. Many neighborhoods are pushing back against campus expansion. Witness debates over NYU expansion in Greenwich Village, community activism over the use of eminent domain in Manhattanville, and fears of gentrification at the fringes of the University of Chicago. While some campus boundaries have disappeared, new ones have emerged. Either way, the image of the campus survives. 1. William J. Mitchell, Me++: The Cyborg Self and the Networked City (Cambridge, MA: MIT Press, 2003), 7. 3. William J. Mitchell, Imagining MIT: Designing a Campus for the Twenty-First Century, (Cambridge, MA: MIT Press, 2007), 5. 4. See for example: Robert A.M. Stern, Pride of Place: Building the American Dream (Boston: Houghton Mifflin, 1986). 5. Quoted in Mitchell, Imagining MIT, 2. 6. Michael Barbaro, “$1.1 Billion in Thanks from Bloomberg to Johns Hopkins,” The New York Times, January 26, 2013. 7. Paul Venable Turner, Campus: An American Planning Tradition (Cambridge, MA: MIT Press, 1984), 163. 8. Barbara Hadley Stanton, “Cognitive Standards and the Sense of Campus,” Places 17(Sprint 2005): 38. 9. Raymond Gastil, Glass House On-line Conversation, http://glasshouseconversations.org/is-there-an-emerging-type-of-campus-design-that-can-both-represent-and-embody-an-urbanism-of-opportunity-and-innovation-what-are-the-models-to-encourage-emulate-and-question/ (last accessed February 21, 2013). 11. See: Sharon Haar, The City as Campus: Urbanism and Higher Education in Chicago (Minneapolis: Minnesota University Press, 2011). 12. Jonathan Rothwell, José Lobo, Deborah Strumsky, and Mark Muro, Patenting Prosperity: Invention and Economic Performance in the United States and its Metropolitan Areas (Washington DC: Metropolitan Policy Program at Brookings, February 2013): 1. 13. Margaret O’Mara, Cities of Knowledge: Cold War Science and the Search for the Next Silicon Valley (Princeton, NJ: Princeton University Press, 2005), 1. 16. Draft Scope of Work to Prepare a Draft Environmental Impact Statement for the CornellNYC Tech Project, April 18, 2012. 17. Ariel Kaminer, “New Cornell Technology School Tightly Bound to Business, The New York Times, January 21, 2013. 19. Mitchell, Me++, 144. 20. Joseph E. Aoun, “A shakeup of higher education,” The Boston Globe, November 17, 2012.
2,120
2,005
As /u/phughes notes, even if I and another chap spend most of our days coding in Elixir in our present project, there's no guarantee we will continue to do so in the next one. So *just* knowing Elixir (and being a good communicator, and have some business awareness, etc.) won't guarantee you a hire at my shop. On the other hand, knowing some other pertinent technology in our stack *and* knowing Elixir will get you hired ahead of a guy who may actually be a little better than you with our core technology.
117
117
Every year, 30,000 people on average die of vaccine preventable illnesses but what is most surprising about this statistic is that nearly all — 95 percent — are adults. Now a new study from the University of Colorado School of Medicine investigates this growing concern and identifies barriers to the delivery of adult vaccines: the failure of health care providers to assess the vaccination needs of their patients, insufficient stock of vaccines, inadequate insurance reimbursement, record-keeping challenges, and high costs. "As the population ages this could easily grow into a more serious public health issue," said Dr. Laura Hurley, lead author of the study and an assistant professor of medicine at the CU School of Medicine. Avoiding Preventable Deaths The Advisory Committee on Immunization Practices recommends 12 vaccines for adults, yet recent estimates suggest that only 62 percent and 65 percent of adults over the age of 65 received even a pneumococcal or flu vaccine, respectively. Worse, only 16 percent of adults over the age of 60 received a herpes zoster vaccine, which prevents shingles, a painful viral infection most common in people older than 50. Why do vaccination rates remain low among adults who are at serious risk for preventable disease? To answer this question, researchers conducted a survey in collaboration with the Centers for Disease Control and Prevention of general internists (GIMs) and family physicians (FMs) from March to June 2012 throughout the U.S. Response rates were high, a full 79 percent of GIMs and 62 percent of FMs completed nearly all of their surveys, and so the total number of participants amounted to 607. A minority used immunization information systems and nearly half — 46 percent of GIMs and 48 percent of FMs — reported it was “moderately/very difficult” to determine an adult patient's vaccination status for vaccines other than seasonal influenza. Almost all the doctors reported assessing patients’ vaccination status at annual visits or first visits, whereas far fewer reported doing so at every visit: just 29 percent of general internists and 32 percent of family physicians. "Our study suggests that missed opportunities for adult vaccination are common because vaccination status is not being assessed at every (physician's) visit, which is admittedly an ambitious goal," Hurley stated in a press release. "Also, most physicians are not stocking all recommended vaccines." Physicians reported a number of barriers to stocking and administering vaccines, but money dominated the list. In fact, lack of insurance coverage for the vaccine (36 percent) or inadequate reimbursement (41 percent) were the most commonly reported reasons for referring patients elsewhere, such as pharmacies/retail stores and public health departments. Noting that “primary care physicians see themselves as having a central role in the system,” the authors conclude their study with various observations as well as suggestions for improvement that center on addressing doctor's direct needs and concerns. The Affordable Care Act requires insurers to cover recommended vaccines with no co-pays when delivered by in-network providers; this should topple one financial barrier to vaccination, the authors suggest. And then there is the Immunization Information Systems or IIS, which is a confidential database that records all vaccine doses administered by providers in a given area. Widespread and consistent use of IIS would allow doctors to check the vaccination status of their patients in a glance. "I feel we need to take a more systematic approach to this issue," Hurley concluded. Surely, deaths caused by vaccine-preventable illnesses might be easily avoided. Source: Hurley LP, Bridges CB, Harpaz R, Allison MA, O’Leary ST, Crane LA, et al. U.S. Physicians’ Perspective of Adult Vaccine Delivery. Annals of Internal Medicine. 2014.
763
765
Highlands Outfitters Logo for a clothing brand in New South Wales – Australia. Studio FU entered this logo design as an option for client on 99designs. The logo was designed as a signature word mark or logotype with a set of additional text and imagery to accompany various iterations. Designed to be easily executed over various clothing and product items – from t shirt designs to a stitched logo on a cap and shirt. A logo that works both as an image group and stand alone and a signature. We also needed a logo clients could use in positive and reversed out options.
119
117
Near disaster with TF tank!!!! In Pennsylvania we hit a very nasty pothole - actually a storm drain grate that is 6-8" below the road level. Hit it hard enough to break one of the bolts on the tank mounting straps. We heard this horrible grinding sound and stopped, got out and checked. The nearly full tank was down to within 2" of the ground. A closer look found the head of the 3/8" Grade 8 bolt still in the frame bracket and it was the bracket hitting the driveshaft making the nasty noise. The front bracket was holding and keeping the tank off the ground. About 30 minutes with a jack and a spare bolt got back on the road. Of course, it was 95 degrees for added sweat. Later I bought a ratchet tie down (1000# rated) and added that for security. I guess the stress off hundreds of miles of dirt and gravel and thousands of miles of bad roads was too much for the bolt. Re: Near disaster with TF tank!!!! You are in my prayers that you don't have any more problems on your trip and arrive home safely. Take care of yourselves! Grade 8 bolts have worse fatigue properties than Grade 5. That's why most of the OEM chassis hardware is Grade 5. Also, imported Grade 8 hardware might as well be un-graded hardware. I snapped an imported Grade-8 7/8" bolt tightening it down by hand using a 14" long ratchet. Finding USA made fasteners is harder than you think... The straps on my TF look VERY sketchy (rusty). They can make replacements, but will take around 4 weeks. Until then I am going to take it VERY easy on rough roads, and try not to carry a full load of fuel. I am going to replace the straps and all the hardware. Mike, did the filler tube disconnect? Any Espar appliance feed lines might be snapped if you have them. Sorry to hear that Mike. And it just hit me, you're close to that hot weather back there. Hope your trip goes a little nicer...still has to be better than being home. Nothing on the tank seems to have been disconnected. Two tanks later all is well. Yeah, Grade 8 bolts are frequently bogus, and they are best used in tension, and not the way this bracket is used. The two sides of the bracket are not parallel when tight. After I get home I will make a spacer to fill the gap and cause the two side to move into alignment. When I think about the tank going to the pavement at 40mph, I get scared. For now, the ratchet strap is working. And the whole episode took less than an hour, so it wasn't a big deal - but it could have turned into one. I give up, what's a TF tank? Anything to do with this: http://www.huffingtonpost.com/2011/08/0 ... 15424.html ? Has nothing to do with the Ford recall. A TF tank, is short for TransferFlow tank, an aftermarket fuel tank manufacturer. They manufacture the 46 gallon fuel tank that SMB installs. I happen to have looked at the drawings for the TF straps (no I can't share them), and I noticed that on the 97-03 Quigley version, in 07 production it looks to me like they switched from 3/8" to 7/16" hardware. There are still a couple of references to 3/8" on the drawings, but the parts list shows 7/16"-14 TPI and a revision note in 2007. I have to imagine the 04 model is not all that different, and I would guess that upsizing the hardware was to increase the load required to shear the bolt. It might be worth a call to TF and ask them if upsizing to 7/16 is a prudent move...
807
811
Removing ring artifacts in CBCT images via L0 smoothing Ring artifacts often appear in cone‐beam computed tomography (CBCT) images due to the inconsistent response of detector pixels. How to remove ring artifacts without impairing the image quality is still a hard problem. This article proposes a novel method to remove ring artifacts from CBCT images. First, the reconstructed CBCT image is transformed from Cartesian coordinates into polar coordinates, such that ring artifacts in Cartesian coordinates are transformed as stripe artifacts in polar coordinates that are easier to be removed. Second, a minimization model based on L0 smoothing is introduced to smooth the transformed image such that the major edges of the image are reserved while the artifacts are eliminated as special low‐amplitude structures. Finally, the obtained artifacts are transformed back into Cartesian coordinates and are subtracted from the original CBCT image. Thus, the CBCT image without ring artifacts is obtained. The experiments based on different CBCT images show that the proposed method is more effective compared with other algorithms. © 2016 Wiley Periodicals, Inc. Int J Imaging Syst Technol, 26, 284–294, 2016
236
234
Contamination is of particular concern when dating very old material obtained from archaeological excavations and great care is needed in the specimen selection and preparation. In addition, a sample with a standard activity is measured, to provide a baseline for comparison. Your feedback will go directly to Science X editors. These values have been derived through statistical means. Thank you for taking your time to send in your valued opinion to Science X editors. Or else it is a very useful tool to date contracts, settlements, wills or other documents. Moving away from techniques, the most exciting thing about radiocarbon is what it reveals about our past and the world we live in. During the natural ageing process of each sample, which had a known age, the research team analysed the evolution in the various volatile components. Forensic science of dating inks fine tuned. How Carbon Dating Works Likewise, the team that has developed this new method has managed to obtain results using minimal amounts taken from the document. Background samples analyzed are usually geological in origin of infinite age such as coal, lignite, and limestone. It was unclear for some time whether the wiggles were real or not, locanto delhi but they are now well-established. Charlotte Pearson studies the past lives of trees to better understand the history of civilizations. - To determine this, a blank sample of old, or dead, carbon is measured, and a sample of known activity is measured. - Charlotte Pearson says it's ready for a makeover. - It appears that you are currently using Ad Blocking software. - Canon of Kings Lists of kings Limmu. - Dinosaurs did not appear until million years ago, and ruled the planet for million years. The main mechanism that brings deep water to the surface is upwelling, which is more common in regions closer to the equator. Establishing dates Moving away from techniques, the most exciting thing about radiocarbon is what it reveals about our past and the world we live in. The total mass of the isotope is indicated by the numerical superscript. We do not guarantee individual replies due to extremely high volume of correspondence. How is carbon dating done The principal modern standard used by radiocarbon dating labs was the Oxalic Acid I obtained from the National Institute of Standards and Technology in Maryland. Similarly, groundwater can contain carbon derived from the rocks through which it has passed. Michelangelo spent only four years painting the ceiling of the Sistine Chapel in Vatican City. He converted the carbon in his sample to lamp black soot and coated the inner surface of a cylinder with it. The quantity of material needed for testing depends on the sample type and the technology being used. Over the next thirty years many calibration curves were published using a variety of methods and statistical approaches. How Carbon-14 Dating Works This didn't sit well with Douglass. The time between then and now is just a single tick on the universe's clock. Liquid scintillation counting is another radiocarbon dating technique that was popular in the s. Explainer Radiocarbon dating. Radiocarbon dating is a method that provides objective age estimates for carbon-based materials that originated from living organisms. The dating framework provided by radiocarbon led to a change in the prevailing view of how innovations spread through prehistoric Europe. This cylinder was inserted into the counter in such a way that the counting wire was inside the sample cylinder, in order that there should be no material between the sample and the wire. The counters are surrounded by lead or steel shielding, speed dating to eliminate background radiation and to reduce the incidence of cosmic rays. Learn more Your name Note Your email address is used only to let the recipient know who sent the email. Forgot Password Registration. The application of radiocarbon dating to groundwater analysis can offer a technique to predict the over-pumping of the aquifer before it becomes contaminated or overexploited. American Chemical Society. Archaeology is not the only field to make use of radiocarbon dating. Japan s new rules for curbing ivory trade won t work many experts say Luckily, best free dating apps canada we can measure these fluctuations in samples that are dated by other methods. Bayesian statistical techniques can be applied when there are several radiocarbon dates to be calibrated. All of this dating information comes together to produce a chronological backdrop for studying past interactions between people and their environment. Fifty years is the difference between Alexander Graham Bell's telephone and television. Gas proportional counting is a conventional radiometric dating technique that counts the beta particles emitted by a given sample. Bibliographical reference I. Libby and James Arnold proceeded to test the radiocarbon dating theory by analyzing samples with known ages. As a tree grows, only the outermost tree ring exchanges carbon with its environment, so the age measured for a wood sample depends on where the sample is taken from. Your email only if you want to be contacted back. For example, from the s questions about the evolution of human behaviour were much more frequently seen in archaeology. Climatic geomorphology Denudation chronology Stratigraphy Paleontology Paleoclimatology Paleogeography. Lunisolar Solar Lunar Astronomical year numbering. Concepts Deep time Geological history of Earth Geological time units. The first such published sequence, based on bristlecone pine tree rings, was created by Wesley Ferguson. To determine the age of a sample whose activity has been measured by beta counting, the ratio of its activity to the activity of the standard must be found. Before the advent of radiocarbon dating, the fossilized trees had been dated by correlating sequences of annually deposited layers of sediment at Two Creeks with sequences in Scandinavia. When the stocks of Oxalic Acid I were almost fully consumed, another standard was made from a crop of French beet molasses. Radiocarbon dates are presented in two ways because of this complication. What this reveals about yearly radiocarbon variation during this time period will then be applied to archaeological controversies and floating chronologies from the East Mediterranean and beyond. This means that although they are very similar chemically, they have different masses. Geology Earth sciences Geology. These spikes in radiocarbon can come from a number of short-term events, such as solar flares, volcanic eruptions and changes in oceanic circulation. It is rapidly oxidized in air to form carbon dioxide and enters the global carbon cycle. All Rights Reserved Terms and Conditions. Over time, however, discrepancies began to appear between the known chronology for the oldest Egyptian dynasties and the radiocarbon dates of Egyptian artefacts. Libby was awarded the Nobel Prize in Chemistry in recognition of his efforts to develop radiocarbon dating. Republish our articles for free, online or in print, under Creative Commons licence. This means that radiocarbon dates on wood samples can be older than the date at which the tree was felled. You can be assured our editors closely monitor every feedback sent and will take appropriate actions. Glaciology Hydrogeology Marine geology. - Australia has two machines dedicated to radiocarbon analysis, and they are out of reach for much of the developing world. - Over the years, other secondary radiocarbon standards have been made. - Volcanic eruptions eject large amounts of carbon into the air. The year space race between the Soviet Union and United States yielded the first moon landing. Dating material from one location gives date information about the other location, and the dates are also used to place strata in the overall geological timeline. For decades, radiocarbon dating has been a way for scientists to get a rough picture of when once-living stuff lived. He noticed that trees across the same region, in the same climate, develop rings in the same patterns. The point where this horizontal line intersects the curve will give the calendar age of the sample on the horizontal axis.
1,622
1,582
//snippet-sourcedescription:[MonitorInstance.java demonstrates how to toggle detailed monitoring for an Amazon Elastic Compute Cloud (Amazon EC2) instance.] //snippet-keyword:[AWS SDK for Java v2] //snippet-keyword:[Code Sample] //snippet-service:[Amazon EC2] //snippet-sourcetype:[full-example] //snippet-sourcedate:[09/28/2021] //snippet-sourceauthor:[scmacdon-aws] /* Copyright Amazon.com, Inc. or its affiliates. All Rights Reserved. SPDX-License-Identifier: Apache-2.0 */ package com.example.ec2; // snippet-start:[ec2.java2.monitor_instance.import] import software.amazon.awssdk.regions.Region; import software.amazon.awssdk.services.ec2.Ec2Client; import software.amazon.awssdk.services.ec2.model.MonitorInstancesRequest; import software.amazon.awssdk.services.ec2.model.UnmonitorInstancesRequest; // snippet-end:[ec2.java2.monitor_instance.import] /** * To run this Java V2 code example, ensure that you have setup your development environment, including your credentials. * * For information, see this documentation topic: * * https://docs.aws.amazon.com/sdk-for-java/latest/developer-guide/get-started.html */ public class MonitorInstance { public static void main(String[] args) { final String USAGE = "\n" + "Usage:\n" + " <instanceId> <monitor>\n\n" + "Where:\n" + " instanceId - an instance id value that you can obtain from the AWS Console. \n\n" + " monitor - a monitoring status (true|false)"; if (args.length != 2) { System.out.println(USAGE); System.exit(1); } String instanceId = args[0]; boolean monitor = Boolean.valueOf(args[1]); Region region = Region.US_WEST_2; Ec2Client ec2 = Ec2Client.builder() .region(region) .build(); if (monitor) { monitorInstance(ec2, instanceId); } else { unmonitorInstance(ec2, instanceId); } ec2.close(); } // snippet-start:[ec2.java2.monitor_instance.main] public static void monitorInstance( Ec2Client ec2, String instanceId) { MonitorInstancesRequest request = MonitorInstancesRequest.builder() .instanceIds(instanceId).build(); ec2.monitorInstances(request); System.out.printf( "Successfully enabled monitoring for instance %s", instanceId); } // snippet-end:[ec2.java2.monitor_instance.main] // snippet-start:[ec2.java2.monitor_instance.stop] public static void unmonitorInstance(Ec2Client ec2, String instanceId) { UnmonitorInstancesRequest request = UnmonitorInstancesRequest.builder() .instanceIds(instanceId).build(); ec2.unmonitorInstances(request); System.out.printf( "Successfully disabled monitoring for instance %s", instanceId); } // snippet-end:[ec2.java2.monitor_instance.stop] }
1,306
652
Live Dead is growing! The Live Dead movement is a nonprofit organization that aims to inform the public and encourage action regarding the physical and spiritual issues plaguing unreached people groups around the world. They began in East Africa, and have quickly expanded to form Live Dead Arab World. We partnered with Live Dead East Africa last year to produce a book called The Live Dead Journal, and we were thrilled to work with them again to produce a book focusing on the Arab World called Live Dead: The Journey. The book is compiled of articles and city highlights written by missionaries living and working in the Arab World, and features stunning photography by Randy Bacon, Shannon Varis, and Noor Barron, plus hand-drawn illustrations and paintings by Michael Buesking and by local artists from Transformation Tattoo. Take a look at these sample pages, and let us know what you think!
173
174
If you are not keen on Excel but you need some basic calculations, you can use Word to do the work for you. This is certainly not something that will do complicated Math for you and will surely not ever take the place of Excel, but in a pinch it can help you out. Suppose your boss asks you to create an expense sheet for one or your clients. Don’t panic because you don’t know a lot about Excel. Simply open the software you are more familiar with – MS Word! - This is a fairly simple process: - Create your table. - Enter the values you will need to calculate. - If you are calculating columns, add a new row to the bottom or top of your table and click Formula As you can see from the steps above, this is not going to tax your brain or your patience! Word does most of the work for you! Follow the steps below to learn how to create the expense sheet: - Go ahead and create a table with three columns. - Your table labels will be: Date, Expense Type and Amount. - The column labeled Amount will be your calculating column. Your table should look something like this: - So go ahead and key in the dates, types and amounts in your table. - In the last row, in the Date column, key in the word Total. - Tab over to your calculating column now. - Once you are clicked into the last cell of the last row of your calculating column, look up and you will notice a new new context menu, called Table Tools, that is divided into two sections, Design and Layout. - Click on Layout and in the Data group, click on Formula. - Word will usually anticipate which formula you need as in this case, which is =SUM(ABOVE). - Under Number Format in the resulting menu, select Currency. - Click OK. The Expense total will now appear in your table cell. Be aware though, that Word calculations do not update automatically. To update a cell, simply select it and click F9. You can also select your entire table and click F9 to update all calculations in your table. Similarly, you can select a row, column, or a block of rows and columns.
477
448
The sum total of chemical reactions in the cell constitutes air: aerobic respiration—respiratory process that requires oxygen without: anaerobic respiration—respiratory process that does not require oxygen. down: catabolism—cellular processes in which larger molecules are broken down into smaller ones. with: coenzyme—substance that unites with a protein to complete the structure of an active enzyme molecule undoing: deamination—process that removes nitrogen-containing portions of amino acid molecules change: mutation—change in genetic information spread out: substrate—substance upon which an enzyme acts under: substrate—substance upon which an enzyme acts causing to ferment: enzyme—protein that speeds up a chemical reaction without itself being consumed proteins that control the rate of each reaction they are not consumed and can, therefore, function repeatedly Each enzyme is specific, acting only on a particular molecule larger molecules are constructed from smaller ones, requiring input of energy. provides all the materials required for cellular growth and repair larger molecules are broken down into smaller ones, releasing energy a form of anabolism that produces water a form of catabolism that uses water to form a product What are the general functions of anabolism and catabolism? create and release energy What type of molecule is formed by the anabolism of monosaccharides? Of glycerol and fatty acids? Of amino acids? -many simple sugar molecules (monosaccharides) to form larger molecules of glycogen -Glycerol and fatty acid molecules also join by dehydration synthesis in fat (adipose tissue) cells to form fat molecules -In cells, dehydration synthesis also builds protein molecules by joining amino acid molecules Each enzyme is specific, acting only on a particular molecule, called its During an enzyme-catalyzed reaction, regions of the enzyme molecule called ? temporarily combine with portions of the substrate, forming an enzyme-substrate complex active sites . sequences of enzyme-controlled reactions, that lead to synthesis or breakdown of particular biochemicals ineffectual at high substrate concentrations Binds with an enzyme that is inactive which helps the active site attain its appropriate shape or helps bind the enzyme to its substrate A cofactor may that is an ion of an element, such as copper, iron, or zinc, or a small organic molecule are essential organic molecules that human cells cannot synthesize (or may not synthesize in sufficient amounts) and therefore must come from the diet. How can an enzyme control the rate of a metabolic reaction? The rate at which a metabolic pathway functions is often determined by a regulatory enzyme that catalyzes one of its steps. The number of molecules of such a regulatory enzyme is limited. Consequently, these enzymes can become saturated when the substrate concentration exceeds a certain level How does an enzyme "recognize" its substrate? depends upon the shape of an enzyme molecule. That is, each enzyme's polypeptide chain twists and coils into a unique three-dimensional conformation that fits the particular shape of its substrate molecule. How can a rate-limiting enzyme be an example of negative feedback control of a metabolic pathway? Often the product of a metabolic pathway inhibits the rate-limiting regulatory enzyme. This type of control is an example of negative feedback. Accumulating product inhibits the pathway, and synthesis of the product falls. When the concentration of product decreases, the inhibition lifts, and more product is synthesized. In this way, a single enzyme can control a whole pathway, stabilizing the rate of production What factors can denature enzymes? exposure to excessive heat, radiation, electricity, certain chemicals, or fluids with extreme pH value is the capacity to change something; it is the ability to do work. is the process that transfers energy from molecules such as glucose and makes it available for cellular use molecules shuttle back and forth between the energy-transferring reactions of cellular respiration and the energy-transferring reactions of the cell. chemical process that breaks down fatty acid into molecules acetyl which bind coenzymes A, entering the citric acid cycle How does cellular oxidation differ from burning? Oxidation of substances inside cells and the burning of substances outside them have important differences. Burning in nonliving systems (such as starting a fire in a fireplace) usually requires a great deal of energy to begin, and most of the energy released escapes as heat or light. In cells, enzymes initiate oxidation by lowering the activation energy. Also, by transferring energy to ATP, cells are able to capture almost half of the energy released in the form of chemical energy. The rest escapes as heat, which helps maintain body temperature the energy breakdown of glucose to pyruvic acid during cellular respiration citric acid cycle series of chemical reactions that oxidizes certian molecules releasing energy; Krebs Cycle electron transport chain (oxidative phosphorylation) series of oxidation-reduction reactions that takes high energy electrons from glycosis and the citric acid cycle to form water and ATP reactions which require oxygen, and anaerobic reactions, which do not require oxygen. What are the final products of cellular respiration? products of these reactions include carbon dioxide (CO2), water, and energy. Although most of the energy is lost as heat, almost half is captured as ATP What is the result of glycolysis? ATP and NADH. NADH delivers these high-energy electrons to the electron transport chain elsewhere in the mitochondria, where most of the ATP will be synthesized organic compound formed from pyruvic acid during the anaerobic reactions of cellular respiration What is the role of oxygen in cellular respiration? Oxygen acts as the final electron acceptor at the end of the electron transport chain, enabling the chain to continue processing electrons and recycling NAD+. Under what conditions does a cell produce lactic acid? anaerobic conditions - the electron transport chain has nowhere to unload its electrons, and it can no longer accept new electrons from NADH. As an alternative, NADH + H+ can give its electrons and hydrogens back to pyruvic acid acetyl coenzyme A Intermediate compound produced from the oxidation of carbohydrates and fats State the products of the aerobic reactions. carbon dioxide and water, the aerobic reactions yield up to thirty-six ATP molecules per glucose List the products of the citric acid cycle Explain the function of the electron transport chain a series of enzyme complexes that carry and pass electrons along from one to another. These complexes dot the folds of the inner mitochondrial membranes. The electron transport chain passes each electron along, gradually lowering the electron's energy level and transferring that energy to ATP synthase Discuss fates of glucose other than cellular respiration Glucose can also react to form fat molecules, later deposited in adipose tissue. This happens when a person takes in more carbohydrates than can be stored as glycogen or are required for normal activities. The body has an almost unlimited capacity to perform this type of anabolism, so overeating carbohydrates can cause accumulation of body fat. deoxyribonucleic acid (DNA), genetic code (jě-net′ik kōd). the correspondence between a unit of DNA information and a particular amino acid The portion of a DNA molecule that contains the genetic information for making a particular protein The complete set of genetic instructions in a cell part of a nitrogen containing base that is part of a DNA and RNA and has two organic rings; adenine and guanine part of a nitrogen containing base that is part of a DNA and RNA and has two organic rings; thymine, cytosine and uracil complementary base pairs Hydrogen bonded adenine and thymine or guanine and cytosine in DNA. Adenine bonds to uracil in RNA the process that creates an exact copy of a DNA molecule. It happens during interphase of the cell cycle What is the function of DNA? contains the information that instructs a cell to synthesize a particular protein What is the structure of DNA? double-stranded DNA molecule twists, forming a double helix How does DNA replicate? hydrogen bonds break between the complementary base pairs of the double strands. Then the strands unwind and separate, exposing unpaired bases. New nucleotides pair with the exposed bases, forming hydrogen bonds. An enzyme, DNA polymerase, catalyzes this base pairing. Enzymes then knit together the new sugar-phosphate backbone. In this way, a new strand of complementary nucleotides extends along each of the old (original) strands. Two complete DNA molecules result, each with one new and one original strand are molecules differ from DNA molecules in several ways. RNA molecules are single-stranded, and their nucleotides have ribose rather than deoxyribose sugar messenger RNA (mRNA). manufacturing a complimentry RNA from DNA set of three nucleotides in a messenger RNA molecule corresponding to one of the 20 types of amino acids RNA making a protein at the ribosomes the series of codons of the mRNA is translated from the "language" of nucleic acids to the "language" of amino acids Comparison of DNA and RNA Molecules Main location Part of chromosomes, in nucleus Cytoplasm 5-carbon sugar Deoxyribose Ribose structure Double-stranded Single-stranded included CGAT CGAU Major functions Contains genetic code for protein synthesis/ replicates prior to mitosis Messenger RNA carries transcribed DNA information to cytoplasm and acts as template for synthesis of protein molecules; transfer RNA carries amino acids to messenger RNA; ribosomal RNA provides structure for ribosomes transfer RNA (tRNA), transcribed in the nucleus and aligns amino acids in a way that enables them to bond to each other. sequence of three nitrogen bases on tRNA An anticodon bonds only to the complementary mRNA codon. In this way, the appropriate tRNA carries its amino acid to the correct place in the mRNA sequence ribosomal RNA (rRNA) helps build ribosomes Transcription (In the Nucleus) - steps (6) 1. RNA polymerase binds to the DNA base sequence of a gene. 2. This enzyme unwinds a portion of the DNA molecule, exposing part of the gene. 3. RNA polymerase moves along one strand of the exposed gene and catalyzes synthesis of an mRNA, whose nucleotides are complementary to those of the strand of the gene. 4. When RNA polymerase reaches the end of the gene, the newly formed mRNA is released. 5. The DNA rewinds and closes the double helix. 6. The mRNA passes through a pore in the nuclear envelope and enters the cytoplasm Translation (In the Cytoplasm) - steps (7) 1. A ribosome binds to the mRNA near the codon at the beginning of the messenger strand. 2. A tRNA molecule that has the complementary anticodon brings its amino acid to the ribosome. 3. A second tRNA brings the next amino acid to the ribosome. 4. A peptide bond forms between the two amino acids, and the first tRNA is released. 5. This process is repeated for each codon in the mRNA sequence as the ribosome moves along its length, forming a chain of amino acids. 6. As the chain of amino acids grows, it folds, with the help of chaperone proteins, into the unique conformation of a functional protein molecule. 7. The completed protein molecule (polypeptide) is released. The mRNA molecule, ribosome, and tRNA molecules are recycled. How is genetic information carried from the nucleus to the cytoplasm? messenger RNA (mRNA). RNA nucleotides form complementary base pairs with one of the two strands of DNA that encodes a particular protein How are protein molecules synthesized? Synthesizing a protein molecule requires that the specified amino acid building blocks in the cytoplasm align in the proper sequence along an mRNA. A second type of RNA molecule, transcribed in the nucleus and called transfer RNA (tRNA), aligns amino acids in a way that enables them to bond to each other How is gene expression controlled? Proteins called transcription factors activate certain genes, moving aside the surrounding histone proteins to expose the promoter DNA sequences that represent the start of a gene. These actions are called "chromatin remodeling," and they control which proteins a cell produces and how many copies form under particular conditions change in a gene single nucleotide polymorphisms genetic variants with no detectable effects Anything that causes mutation DNA damage response, Cells detect many mutations and take action to correct the errors. Special "repair enzymes" recognize and remove mismatched nucleotides and fill the resulting gap with the accurate, complementary nucleotides. This mechanism restores the original structure of the double-stranded DNA molecule Distinguish between a mutation and a SNP mutations affect how we look or feel, SNP we do not notice How do mutations arise? spontaneously or induced How do mutations affect health or appearance? Disease may result from a mutation, whether spontaneous or induced Describe protections against mutation. Cells detect many mutations and take action to correct the errors. Special "repair enzymes" recognize and remove mismatched nucleotides and fill the resulting gap with the accurate, complementary nucleotides. This mechanism, called the DNA damage response, restores the original structure of the double-stranded DNA molecule. Explain how metabolic pathways are linked and intersect the products of one reaction are starting materials for the next. These reactions form pathways and cycles that may intersect where they share intermediate compounds, each step catalyzed by an enzyme Distinguish between catabolism and anabolism anabolism creates energy, catbolism releases energy Distinguish between dehydration synthesis and hydrolysis Dehydration is when two molecules come together to produce a water (by bonding OH and H so you have H2O.) Hydrolysis is doing that in reverse. Breaking the H2O into H and OH and therefore breaking the bond. Give examples of a dehydration synthesis reaction and a hydrolysis reaction. dehydration synthesis of proteins, which requires reaction between amino acids in order to release proteins and water as products -The breakdown of triglyceride to form glycerol and fatty acids State two factors that control the rate of an enzyme-catalyzed reaction heat and the number of enzyme or substrate molecules in the cell. A cell has ? types of enzymes and metabolic reactions Discuss the relationship between a coenzyme and a vitamin vitamins provide coenzymes, like enzymes Explain the importance of ATP and its relationship to ADP ATP (Adenoside triphoshpate) is a molecule that carries energy in that the cell can use. When an ATP loses its terminal phosphate it becomes an ADP (adenosine diphosphate) molecule. Identify the final acceptor of the electrons released in the reactions of cellular respiration Excess glucose in cells may link and be stored as If a DNA strand has the sequence ATGC then the sequence on the complementary DNA strand is If one strand of a DNA molecule has the sequence of ATTCTCGACTAT, the complementary mRNA has the sequence
3,277
3,156
<filename>src/main/java/org/yx/http/handler/ReqToStringHandler.java /** * Copyright (C) 2016 - 2030 youtongluan. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package org.yx.http.handler; import org.yx.annotation.Bean; @Bean public class ReqToStringHandler implements HttpHandler { @Override public int order() { return 1700; } @Override public void handle(WebContext ctx) throws Exception { Object obj = ctx.data(); if (obj == null) { return; } if (!(obj instanceof byte[])) { return; } byte[] bs = (byte[]) obj; String data = new String(bs, ctx.charset()); ctx.data(data); } }
365
278
Prepare to salute General D. Macarthur! My fisrt fish since a kid and a nice Betta! He is still getting to know his tank and seems to like hiding behind the filter pump before taking forays out to the heater and I caught him sneaking through his log cave! His home is a 5 gallon tank with the water nicely regulated at 26c. He will get a few nice live plants later in the week to finish off his home. He looks like one I saw in my lfs about a couple of weeks ago. Decerto, I just noticed you have the exact same background as me and you also, well it looks like, you have the exact same heater as me too! Is that an AquaOne 126 tank, because it looks just like my tank, just a bit smaller, and I know that the AquaOne 126 is the smaller version of my tank as my lfs sells it. This is really wierd. Where do you live, we might live near each other? I know that quite a few lfs' might sell the same things, but it's just really weird that we have nearly the exact same products in nearly the exact same tanks. That is a really nice home for General D. Macarthur! He would be so honored to share his name I am sure! The little guy is just lovely and so bright and happy looking. He will love some nice plants, but that cave will be a favorite place as well. You have a beautiful boy. Welcome General!! We salute you! I though it was. I live in Wales - UK. It's the same here, most of the tanks we have are AquaOne, and they have loads of different sizes, from small fish bowls (which nobody ever buys), to 120 gallon tanks. I'm glad he is settling in to the tank. I bet he's having a great time. I'm worried about him not eating the flakes, I'm going to get some pellets tonight for him and see if he likes them. He is swimming around a lot so I don't think he is constipated. Bettas do not eat flakes well because they are carnivores and their mouths are not shaped the same as other fish's. It is hard for them to get ahold of a flake to eat. It is much easier for them to grab and eat a pellet or a bloodworm in their mouth as the jaw opens like a little trap door and flakes tend to float and it is hard for them to get them into their mouths. Bloodworm meals are 6-7 bloodworms they can have this amount 2 times a day. they cannot have both at the same time but can have 1 pellet meal and 1 bloodworm meal in the same day. Usually though Bettas are very picky eaters (especially if they do not have tankmates) and will settle on one food they really like and reject all the others. It looks like he could be contipated, he is now spending a lot of time on the bottom. Unfortuanatly the humans of the house ate the last of the frozen peas the other night and he will have to wait till tomorow to get some peas. He nibbled ate some flakes but spat them out, is this a sign he is hungry and just not interested in the type of food? Either way I'll try him on the pellets tomorow and see what he thinks of them. He is sure sounding a lot like he may be constipated. Do not feed him anything more until he has been on nothing but peas for a couple of days and let's see if his little insides can get cleaned out. He will not like it but he is not in the position to know what is best for him right now and this is not going to hurt him. Then when you do start him on the new food be sure not to give him but one piece at a time and let him chew until you can see that he is not chewing anymore. Then he can have another and so on until he has had 3 or 4 pellets, no more. Then he can have the same amount again later in the day. But just 2 meals a day. Once a betta has had a constipation problem, they will become constipated even more easily the second time around so it may be a good idea to give the pea treat. a couple times a week just as part of his routine. But unless he is actually constipated the pea is supposed to be a treat at another time other than meal time. (so he gets fed 3 times those days) You cannot give it with the meal or you will be overfeeding and if he is not constipated then he needs to also have his regular food as usual - just not with the pea. I hope this has helped and he is doing better soon. Thank you so much, I'll follow your advice, just my luck to buy a constipated fish! Beautiful fish, gorgeous tank! Best of luck with him, and may he live a long and hppy life with you!! well he is definitely constipated be sure to get those pea chuncks out b4 they decompose and give u ammonia spikes....what I do with InarI is I hand feed him especially peas but if he doesn't want to eat don't try to force him the General will eat when he gets hungary just once a day be sure to try and get him to eat atleast one chunck if not he'll get hungary before too long and if u have catfish or shrimp or something like that the veggies will make them very happy! He looks really nice. Good luck with the plants I'm sure the tank will look even better with the live plants. Help How To Prepare My Fish Tank For A Week-long Trip. Question Prepare Repashy Superfoods With Rodi Or Tap Water?
1,231
1,204
Bandai Namco Undeterred by Xenoverse's Poor Reception, Makes Another/ Last year, like many a DBZ fan, I bought Dragon Ball Xenoverse thinking it would be another addition in a long line of fun fighting games set in the world given to us by Akira Toriyama. I found that instead of a fighting game we got... something... something that really wasn't a fighting game. It was a "fighting game" for the people who didn't really like fighting games but really liked the Sims and wanted to make their own character in the DBZ Multiverse. I tried liking it. I tried on several occasions. I told myself I just had to progress a little bit farther and then I would start having fun. The fun never really came for me as well as many of the traditional fans of DBZ's fighting games. Maybe it just meant I had moved on. But man I want in on some of the Dragon Super fights from this past season, and Bandai Namco is going to drag me back. Just... can I please get a more linear story mode that doesn't require me to interact through an always on-line courtyard? Just a "Hey, I just want to fight" mode that I can access from the main menu? Preciate It.
269
264
If you are using facebook lite and facing an issue to login into your account then call to facebook lite expert they will solve your all the issues. And help you to login into your account. Want to Add your site in the sidebar, contact: ujjwaldubey@outlook.com | 10$ / Bookmarking SIte 11 11 Facebook is the most social networking sites. Billions of peoples can share their views, their videos and images on facebook.But sometimes user getting an error while sharing their video on facebook. To fix all their error they have to connect with facebook team which will help them to resolve their all the errors. 11 Get facebook support to resolve your trouble that you are facing while accessing your account. By just dialing, facebook support number 1844-773-9313. 10 You know that facebook is one of the biggest social networking sites. A user can do anything on facebook but sometimes user faces issues that he cannot resolve by himself. so, in this case, they can connect with facebook customer support and resolve all their issues. 9 In some cases, due to unresponsive behaviour of Yahoo mail which occur due to down mail server. So, the user finds conflicts in their Yahoo account due to this problem. To solve such problem Yahoo can dial our toll-free number to get the help in fixing the problem. 8 Facebook launched every day some exciting feature but some of the users can not understand if you are also one of them so call FB expert for knowing the reason for your difficulty. 8 Get a technical assistance and remove all your Gmail queries like reset password, login issue, unable to upload attachment and more by just dialing 1844-773-9313. 7 Sometimes while user uses yahoo they saw the 504 error issue to solve that issue user have to connect with yahoo support team which will help them to solve their problem.
396
386
Detailed Instructions: In this task, you're expected to write answers to questions involving multiple references to the same entity. The answer to the question should be unambiguous and a phrase in the paragraph. Most questions can have only one correct answer. See one example below: Problem: Passage: Nearing London, Oliver encounters Jack Dawkins, a pickpocket more commonly known by the nickname the "Artful Dodger", and his sidekick, a boy of a humorous nature named Charley Bates, but Oliver's innocent and trusting nature fails to see any dishonesty in their actions. The Dodger provides Oliver with a free meal and tells him of a gentleman in London who will "give him lodgings for nothing, and never ask for change". Grateful for the unexpected assistance, Oliver follows the Dodger to the "old gentleman's" residence. In this way Oliver unwittingly falls in with an infamous Jewish criminal known as Fagin, the gentleman of whom the Artful Dodger spoke. Ensnared, Oliver lives with Fagin and his gang of juvenile pickpockets in their lair at Saffron Hill for some time, unaware of their criminal occupations. He believes they make wallets and handkerchiefs. Question: Who believes Fagin's gang make wallets and handkerchiefs? Solution: Oliver. Explanation: In the sentence "He believes they make wallets and handkerchiefs", the pronoun "he" refers to name "Oliver". Problem: Passage: The story follows the life of the 35-year-old Melody Parris (Played by Mimi Rogers), a skilled perfume girl, who is living a somewhat flavorless life in Seattle, with a pompous, pushy boyfriend named George and an overbearing mother who lives right next door to her, who is obsessed with her getting married. It starts with another unsatisfactory day at work for Melody, but on the bus, her best friend Naomi tells her to make a Christmas list for selfish fun. She starts to but then receives a call from George, who is on a flight home from a business trip. During a talk with her mother that evening, she asks her if they could try to make their Christmas "Dickens-Style"; however her mother is reluctant to do this. Another neighbor's daughter, Amber Mottola, is a supermodel, and her mother harps on how Melody's sister is married, and so Melody storms out, saying that she's sorry she's not anything that makes her mother proud, missing her mother saying that she is proud. The next day at work, Melody is passed over for a promotion to the head of the perfume department at the department store where she works for a younger, less skilled co-worker, April May, whose main objective is to sell, not to serve. Melody finally decides to finish her Christmas list, and the next day, she takes it to work and (after some playfulness with Naomi) Naomi puts it in Santa's Mailbox at the department store. Then, things begin to change. She meets Danny Skylar, a boy who wants to buy a perfume that was similar to the smell of his late mother's, and when he can't pay the full amount, Melody loans him the rest, and he puts her name, along with his, on the entry form in a sweepstakes at the store to win a new Ford Mustang convertible. Question: Who is the woman who has to work for a younger girl named after months of the year dating? Solution: George.
726
725
On December 14, 2022, ImmuneOnco Biopharmaceuticals (Shanghai) Inc. (hereinafter referred to as "ImmuneOnco") announced that the newly-developed bispecific antibody-receptor recombinant protein drug (project number: IMM2520), targeting CD47 and PD-L1, obtained clinical research approval from the US FDA. This is the fourth IND approval for the company to date (others include IMM0306, IMM2902 and IMM40H), and it is another important milestone in the company's development. Previously, IMM2520 was granted a Japanese patent and orther patents in China, the European union and the United States has been submitted. In November 2022, the IMM2520 has been approved by NMPA to carry out clinical trials. The approval by FDA for clincal trials strenthens the development of IMM2520 globally and consolidates the company’s leading position in the field of drug development for targeting CD47 and bispecific antibody research. "We are very pleased that our IMM2520 program has received clinical trial research approval from the US FDA. IMM2520 is an antibody-receptor recombinant protein (mAb-Trap) that targets both CD47 and PD-L1. We believe that IMM2520 has great clinical development value, and we will actively promote clinical research and strive to bring it to market as soon as possible, so as to benefit the cancer patients."
314
299
Презентация к уроку английского языка на тему "Кино" для учащихся 9-х классов. Project. My favourite Russian film. My name is Milaev Philipp. I am 15 years old. I would like to tell you a few words about my favourite Historical Film . I like watching Historical Feature Film very much expecially at home with my family. My favourite Russian film called is VikinMiddle Ages. Russia is fragmented, feuding brothers princes. Laws weaken the blood, when it comes to power, but remind myself, as soon as death comes into play. Prince Oleg killed accidentally trampled by horses, but indirect blame falls on Yaropolk. Ancient traditions require younger brother, the bastard to avenge the death of Oleg. Vladimir does not want to raise a sword on Yaropolk and hiding, knowing that the failure to kill would cost him more than my own blood shed. But the debt will find it in the cold distant lands. Senior druzhinnik Oleg crowned looking bastard and insists that he made the wages and claimed the throne.
290
231
In a previous post I shared some images and thoughts on what I believe is the only completely preserved building dedicated to the worship of Roman Emperors in the First Century A.D. I want to complete the posting of images from the main room where the statue of the Emperor was located. In these two frescos, the Emperor is portrayed as the mythical hero Hercules! View looking at the north wall of the cult room of the Sacellum (chapel) of the Augustales (priests in charge of Emperor Worship). The central panel is flanked by two slender spirally fluted columns. It appears that there is an attempt to portray this central panel as a hanging tapestry. On the left is Hercules with his club, lion’s skin, and a bow and arrows. The nude figure next to him is a river deity that is attempting to snatch away Hercules’ wife, Deianeira. Hercules is about to rescue her! Tuck suggests that this is a metaphor for the Emperor as Hercules who protects/rescues his people. Flanking the central piece are “windows” that look out on to the world. Note especially the two chariots with horses in the upper two corners. View looking at the south wall of the cult room of the Sacellum (chapel) of the Augustales (priests in charge of Emperor Worship). The central panel is flanked by two slender spirally fluted columns. It appears that there is an attempt to portray this central panel as a hanging tapestry. Hercules, without club or lion’s skin, is sitting nude. The female in the foreground is the deity Minerva and in the back, between the two of them, is Zeus’s wife, Hera. Tuck believes that this is a representation of Hercules about to be taken up to be with the gods (= apotheosis) and that he and Hera are here reconciled—Hera had attempted to kill him. Tuck believes that this is a metaphor for the apotheosis of the Emperor—being represented as Hercules. In other words, Vespasian, like Emperors before him, was taken to be with the gods—and thus became a god! To view 6 images of this important room Click Here. Professor Tuck (see below) suggests that this room was renovated shortly after the death of Vespasian in A.D. 79, early in the reign of Titus—which implies that the room was soon buried by the pyroclastic flow from Vesuvius—ca. 24 August 79. I am indebted to the explanatory comments of Steven L. Tuck in his engaging “Worshipping the Emperors at Herculaneum,” Lecture 21 in Pompeii: Daily Life in an Ancient Roman City. Produced by the Great Courses/The Teaching Company, Course No. 3742, 2010.
602
583
Omega 3 For Children Omega 3 for Children Getting the right nutrition from day one is vital to ensure your child’s mental and physical health can blossom. One important nutrient children need is Omega-3 – a family of fats which are essential for normal growth and development. These are healthy fats that the body needs to perform key functions. Some of them we can get from food, but the best sources of Omega-3 just aren’t kid-friendly. Even if your child were to willingly eat a diet rich in nuts, flaxseed, green leafy veg an oily fish, they’d still only be getting the ALA (alpha-linoleic acid) member of the Omega-3 family. Our bodies use this to make two other fatty acids, called DHA and EPA, which have the most direct health benefits. The trouble is, this process is slow and yields only a small amount of each. DHA and EPA are invaluable nutrients for the growing child. With busy lifestyles, convenience foods and fussy eaters, dietary supplements may be the only effective and reliable way to meet their requirements. DHA is an essential nutrient for the growing child. It’s needed from conception through to infancy for the normal development of the brain, spine, skin and eyes. Most of the fat in breast milk is DHA and infant formula milk is now fortified with it. Moving from milk to solid foods, it becomes more difficult to make sure your child is getting all the fatty acids they need. With the added complication of a tendency for kids to be fussy-eaters, getting enough Omega-3 from diet alone becomes challenging. Nevertheless, the body’s high demand for the fatty acids remains. By the age of 2 years old, your child’s brain will already be around 80% of its eventual adult size. As a child grows physically, DHA plays an important role in the brain – working as a sort of building-block to create cells and neurons. Throughout puberty and adolescence, it works to balance hormones and promote fertility. Meanwhile, EPA works as an anti-inflammatory to promote hydrated, healthy skin and prevent teenage acne. The importance of Omega-3 to brain function can explain its role in mental wellbeing. Getting enough DHA can promote emotional health and reduce the likelihood of developing mental health problems. In children, studies have shown that DHA supplementation is linked with lower levels of ADHD, Autism and Childhood Psychosis. It helps to regulate the process of brain cell turnover, encouraging the healthy regeneration of cells and protecting against damage. Studies in children have also shown that getting enough DHA promotes good memory and cognition, which positively effects a child’s ability to learn and retain information during school years. This also lowers the risk of developing reading-related learning disabilities. In adolescents, Omega-3 fatty acids can help to prevent mood and anxiety disorders. Their use has been shown to have ‘psychotropic effects’ – meaning they can influence mind, behaviour and emotions. Both EPA and DHA have anti-inflammatory properties, which protect the brain from damage and so lower the likelihood of developing a mental health problem. Getting enough Omega-3 in the early years can help to build a healthy immune system by enhancing the function of immune cells. This is super important for children, as it is in the younger years that we are exposed to substances our bodies must grow immune to. If anything goes wrong with these cells at this stage, the immune system could potentially go into overdrive and start attacking and damaging its own cells – as seen in Type 1 Diabetes and Coeliac Disease. Research has also shown that getting enough Omega-3 in childhood is a predictive factor for adult health. Meeting requirements during developmental stages has been linked with lower incidence of heart disease and metabolic disorders in later life. Because Omega-3 helps to build a healthy reproductive system in the teenage years, it also increases the likelihood of a normal pregnancy in later life. Pure and Natural Whilst fish oil is a good source of Omega-3, it is tainted with toxins such as microplastics, harmful chemicals and mercury. It is clear that none of these substances are intended for human consumption, let alone for the growing child. Research has shown that long-term fish oil supplementation can contribute to problems such as kidney disease, heart disease, insomnia and even cancer. Unfortunately, the consequences of consuming fish oil for children may outweigh the benefits of getting enough Omega-3. At Bloom we’ve taken out the middle-man to extract DHA and EPA from their original and pure source – algae. Algae is where fish get their Omega-3 from in the first place, it is only when they have eaten enough that they become a good source themselves. When giving your child Bloom Omega-3 from algae you can be confident that they are getting the highest quality DHA and EPA, without exposing them to harmful toxins and pollutants. Lauritzen, L., Brambilla, P., Mazzocchi, A., Harsløf, L., Ciappolino, V. and Agostoni, C. (2016). DHA Effects in Brain Development and Function. Nutrients, 8(1), p.6. Boffetta, P., Merler, E. and Vainio, H. (1993). Carcinogenicity of mercury and mercury compounds. Scandinavian Journal of Work, Environment & Health, 19(1), pp.1-7. Richardson, A. (2003). The importance of omega-3 fatty acids for behaviour, cognition and mood. Food & Nutrition Research, 47(2). Yon MA, Mauger SL, Pickavance LC. Relationships between dietary macronutrients and adult neurogenesis in the regulation of energy metabolism. Br J Nutr. 2013 May;109(9):1573-89 Kuratko, C., Barrett, E., Nelson, E. and Salem, N. (2013). The Relationship of Docosahexaenoic Acid (DHA) with Learning and Behavior in Healthy Children: A Review. Nutrients, 5(7), pp.2777-2810. Agostoni, C., Nobile, M., Ciappolino, V., Delvecchio, G., Tesei, A., Turolo, S., Crippa, A., Mazzocchi, A., Altamura, C. and Brambilla, P. (2017). The Role of Omega-3 Fatty Acids in Developmental Psychopathology: A Systematic Review on Early Psychosis, Autism, and ADHD. International Journal of Molecular Sciences, 18(12), p.2608.
1,394
1,359
A new study from Turkey suggests that children with insufficient blood vitamin D concentrations seem to have a higher risk suffering from urinary tract infections. The observational study compared the blood vitamin D concentrations of 64 healthy children with 82 children experiencing their first episode of a urinary tract infection (UTI) (1). The study results showed that the vitamin D levels were significantly lower in the children with UTIs compared to the healthy children, with average vitamin D levels of 11.7 ng/ml and 27.6 ng/ml, respectively. Children with vitamin D levels below 20 ng/ml were 3.5 times more likely to experience a UTI. The scientists commented that vitamin D seems to help fight infection by producing anti-microbial peptides. These peptides help the body destroy the cell walls of viruses and bacteria. UTI occurs when bacteria from the large intestine invades the urethra and travels up to the bladder. UTIs are very common in women, so much so that some experts estimate that half of all women will experience at least one UTI in their lifetime, and many will experience repeated infections. If the infection is left untreated, the bacteria continues its way up and can infect the kidneys.
243
242
Figure 1. Although there have not yet been any clinical trials to prove that stem cell treatments are effective – and to demonstrate that they are safe – there are many companies offering treatments for a wide array of diseases and conditions. Unlike clinical trials, which typically do not cost the patient money beyond their normal health costs, these therapies can be highly expensive. A sampling of currently available therapies is demonstrated above. (Photo credit for spinal cord image: Wikimedia Commons; this image is in the public domain.) Google the term “stem cells” and you’ll get thousands of hits. Between scientific pages dedicated to explaining what stems cells are and news articles chronicling the latest advances in research and medical treatments, there’s a great deal of information to process. It’s easy to get caught up in the promise and excitement of breakthrough discoveries, particularly where life-saving treatments may be concerned, but an important corollary to these research studies is easily lost in the deluge of websites: the ethics involved. As recently as seven years ago, a search for stem cells likely would have turned up several pages centered on the ethical use of human embryonic stem cells. However, the landmark discovery in 2006 that adult cells can be turned back into stem cells has dramatically shifted the debates surrounding stem cell use (1). Current conversations are grappling with new, less inflammatory ethical issues – like the availability of costly, untested treatments – and these issues affect not only researchers but also the public at large. Due to their promise for research and health treatments, stem cells have garnered scientific excitement for decades. Most of the cells in an adult body are “differentiated,” which means that they are committed to being one kind of cell, such as a skin cell or a fat cell. Stem cells, on the other hand, are a sort of “blank slate” capable of becoming any type of adult cell. In the 90s and early 2000s, stem cell research depended on the use of human embryonic stem cells, which required the destruction of a fertilized early embryo. Naturally, the moral status of an embryo at and beyond fertilization is a hotly contested topic that draws on religious, scientific, and moral principles. The balance between our duty to respect human life and our desire to develop life-saving cures created a difficult dilemma concerning the use of human embryonic stem cells (2). Interestingly, the majority of top hits about stem cell ethics continue to be pages addressed to this debate (3) – even though scientists now know how to create stem cells from adult cells, which makes it possible to bypass the use of human embryonic stem cells altogether. These websites fail to touch on the most salient question now faced by the public, policy makers, and scientists: where do we go from here in terms of the ethics of stem cell research and treatments? After the human embryonic stem cell debate, which so vividly captured the public consciousness, the current conversation about stem cell ethics seems to be lacking the vitality seen only a few years ago. New technology, new problems Just because the conversations are less heated than they once were doesn’t mean that they aren’t happening, inside and outside the lab. The problem with potentially life-saving treatments is that it is hard to wait until those new treatments have been thoroughly tested, both for the patients searching for a miracle and, unfortunately, for those who would exploit them. For every patient desperate to find a cure, there are doctors willing to provide one – for a price (examples of diseases with available treatments are in Figure 1). The most recent news story to garner international attention dealt with the use of stem cell-based therapies by the Stamina Foundation in Italy, but examples of untested stem cell therapies are numerous and often much closer to home (4). In Italy, Stamina offered treatments to patients suffering from Alzheimer’s, Parkinson’s disease, or muscle-wasting disorders (5). The issue with most currently offered stem cell therapies, including theirs, is that the treatments have never been rigorously tested – meaning there are no controls to make sure any treatment gains aren’t caused by a placebo effect and no follow-up to make sure positive outcomes are real and lasting. Stamina Foundation, for example, has never published its specific method, such as the types of cells it implants and the proportions of those cells, and they do not follow up with patients after treatment. Despite this, they claim that they bring treatments to patients with no other viable options, and patients who believe they have benefited from Stamina’s treatments side with the company. These patients believe they have a right to make an informed decision about trying untested treatments that may not work; even if it costs a lot of money, the increase in quality of life is worth it to them. As with many ethical debates, this one has no clear answer. On the one hand, scientists and doctors have a duty to protect human life, which would usually mean they do not give untested and possibly harmful treatments to patients; on the other hand, they also have a duty to do everything in their power to better the quality of people’s lives. For some doctors, including those at the Stamina Foundation, using cutting-edge but untested stem cell therapies is the only way to offer treatment, and hope, to people suffering from otherwise untreatable diseases. Even though they are advancing untested therapies, advocates argue that these treatments are saving lives – and there is certainly merit in wanting to save lives now rather than wait the excruciating months and years it can take to have a new treatment approved. However, doctors are adjured to do no harm to their patients, and using an untested therapy could have unexpected negative impacts on patients’ health. Given the choice between certain death from a debilitating disease and an untested treatment that just might save them, or at least lessen their suffering, many patients are willing to try these treatments even though there may be risks. Further debates beyond patients’ health Another major concern stems from the manner in which these treatments are being administered. A central part of ethical scientific research is sharing one’s methods and results with others. This openness allows other researchers to verify the validity of results by replicating them independently of the original study. Many of these treatments, including Stamina’s, are based on unpublished methods and results, so fellow doctors have been unable to replicate the treatment regimens. Despite claims of altruistic motivations in offering stem cell treatments, these therapies can be quite costly, and the desire to make a profit is likely a factor in some doctors’ and corporations’ offering of untested therapies. There is certainly an ethical dilemma involved in charging desperate people large sums of money for an unproven treatment. As always, however, it is a difficult line to draw. A doctor overcharging patients for her own gain is clearly violating her ethical responsibilities, but if the treatment is legitimately that expensive, it may be defensible. It could also be argued that slightly overcharging allows the extra money to be used to fund further research, or to fund treatments for people who cannot themselves afford the full cost – both worthy ambitions, but perhaps not always appropriate when patients’ own life-savings are on the line. Are there situations when it is ethically responsible to treat patients with untested therapies? Should doctors be allowed to treat patients with stem cells now, provided that patients make an informed decision regarding their own treatment? Or do doctors and scientists have a duty to wait to offer these treatments until they are based on solid scientific data? It’s a tricky debate that requires input from the public, scientists, and policy makers. In our own country, some states have decided to side with a patient’s right to make informed decisions regarding untested treatments (6); others may come down on the opposing side. Either way, these dialogues need to continue so that informed policies that protect patients and foster responsible, ethical research practices can be enacted. Ilana Kelsey is a Ph.D. student in the Biological and Biomedical Sciences program at Harvard Medical School. (1) Abbott, Alison. “Cell rewind wins medicine Nobel.” Nature 490 (2012): 151-152. . (2) Hug, Kristina. “Embryonic stem cell research: an ethical dilemma.” EuroStemCell. EuroStemCell, 23 March 2011. http://www.eurostemcell.org/factsheet/embyronic-stem-cell-research-ethical-dilemma. (3) “Research Ethics and Stem Cells.” Stem Cell Information. National Institutes of Health, 2012. http://stemcells.nih.gov/info/pages/ethics.aspx. (4) Jabr, Ferris. “In the Flesh: The Embedded Dangers of Untested Stem Cell Cosmetics.” Scientific American 17 Dec. 2012. http://www.scientificamerican.com/article.cfm?id=stem-cell-cosmetics. (5) Margottini, Laura. “Italy Blocks Use of Controversial Stem Cell Therapy.” Science Insider. Science, 11 Oct. 2013. http://news.sciencemag.org/biology/2013/10/italy-blocks-use-controversial-stem-cell-therapy. (6) Park, Minjae. “Texas Board Approves Rules on Use of Stem Cells.” New York Times 13 April 2012. http://www.nytimes.com/2012/04/14/us/new-rules-on-adult-stem-cells-approved-in-texas.html.
2,000
1,921
Safeguards Technical Assistance Memorandum STAX Audit Logs Request for Technical Assistance Please provide guidance pertaining to STAX audit logs. The two questions are: - Is it a specific safeguarding requirement to have a paper copy and a CD version of the STAX log? - Regarding the preparation / running of the federal programs audit logs, does this need to be completed by an independent agent (separate from the disclosure office)? Response IRS Publication 1075 outlines the requirements and guidelines to ensure that FTI is properly audited. Specifically see section 5.6.2 and exhibit 9. There is no specific Publication 1075 requirement that states the logs must be stored in paper and CD format. Because of the nature of the logs they contain records of system and network security and may contain sensitive information regarding transactions with FTI, and need to be protected with the same level of security as the FTI is afforded. With that in mind, it is recommended that audit logs not be stored in paper format to minimize the potential for the audit data being compromised. CD is an acceptable storage format for audit logs, but it is recommended that write-once media be used to ensure that log files are not inadvertently erased and integrity of the files is maintained. If CDs are used for storage of audit logs, the CDs are subject to the Publication 1075 Minimum Protection Standards for physical security of two barrier rule for access to FTI under normal security: - Secured perimeter/locked container, - Locked perimeter/secured interior, or - Locked perimeter/security container. Locked means an area or container that has a lock and the keys or combinations are controlled. A security container is a lockable metal container with a resistance to forced penetration, with a security lock and keys or combinations are controlled. Ideally, the audit logs would be archived and stored on a central log server where access can be restricted through system permissions and larger volumes of logs can be stored in a central location. If logs are configured to automatically archive and transmit to a central server for storage, the risk of exceeding audit log storage capacity and overwriting logs on the STAX system is mitigated. Additionally, IRS Publication 1075 requires all agencies ensure that audit information is archived for six years to enable the recreation of computer-related accesses to both the operating system and to the application wherever FTI is stored. The management of audit logs should be handled by individuals that are not users/administrators of the systems for which the logs are kept. This may be an issue if the agency’s Disclosure and Security Offices have consolidated. Ideally, there would be an agency security office performing the audit log activities to provide an “independence” or “separation of duties”. However, since this may not be possible with the agency then it should designate someone in the newly consolidated office with the responsibility of managing the system audit logs. Furthermore, it is vital that this newly assigned individual/s does not have administrator rights on the system/s being audited. References/Related Topics - Safeguards Technical Assistance by Topic - NIST SP 800-92, Guide to Computer Security Log Management - NIST SP 800-53, Recommended Security Controls for Federal Information Systems
670
651
1)Center Seeks Memorandum from the States for Providing Drought Assistance :- - In view of sustained dry spell during the last Kharif season, as also in the early Rabi period in some part of the country, the Center has asked the affected states to submit memorandum for drought assistance immediately. - In a communication to the state Government of Bihar, Uttar Pradesh, Orissa, Jharkhand, Telagana and Ander Pradesh, Union Ministry of Agriculture and Farmers welfare has urged the states to intimate immediately number of drought affected districts in the state and whether drought has been declared in these area or not. States have also been asked to submit the financial memorandum for assistance from National Drought Relief Fund (NDRF). - Drought is one of the most frequently occurring national disasters in India. With its increased frequency and expanded coverage in the recent years, about one third of the country is either drought prone or under desert areas. - These areas are lagging behind in agriculture and also in overall economic growth. They experience wide year-to-year fluctuations in agricultural production and incomes and have a relatively high incidence of poverty. - The poor in these regions are highly vulnerable to a variety of risks due to their low and fluctuating incomes, high indebtedness and low human development. Helping the poor to come out of vulnerability and poverty and integrating the drought prone areas into the mainstream of development is a serious challenge faced by policy makers at present. The History of Drought in India:- - Droughts and famines have received attention of rulers in India right from the 13th and 14th century. - Muhammad Tughlakh was perhaps the first Sultan to take systematic steps to alleviate efforts of droughts by distributing grains to drought affected people in Delhi in 1343 AD. - This approach was followed and improved upon by Mughals and many other kings and rulers later on. - During the British period also efforts were made to provide relief to droughts / famine affected people by organizing relief works and food distribution, distribution of fodder, loans to farmers to start cultivation in the next season etc.The first Scarcity Manual was prepared by the British Government in 1883, which was followed by other manuals by some provincial governments. - The Royal Commission on Agriculture in 1928 recommended promotion of dry land farming to promote agriculture in famine affected regions. However, the efforts were scanty and there was an alarming increase in the frequency of during the British period. After Independence government has adopted a three pronged strategy to face droughts: (1) providing relief to drought hit population under scarcity relief programmes (2) designing special area development programme for drought prone areas and desert areas (DPAP – drought prone area programme and DDP – desert development programme) and (3) promoting dry farming agriculture as a part of agricultural policy. Somehow this approach has not worked very well, as is evident from the increasing drought prone areas in the country and the relatively high poverty and vulnerability of people living in these areas.The new opportunities of globalization are likely to bypass these regions if adequate steps are not taken to integrate them into the mainstream economy. Long term impacts of drought :- - Its long term impact on agriculture in terms of farmers’ adjustment to uncertain rainfall and uncertain agricultural prospects - poor performance of agriculture and of the overall economy - impact on environmental resources like water, forest, land etc and biodiversity including damages to animal and plant species, which tend to raise the frequency and intensity of droughts in the long run and which affect the life and livelihood of people adversely. - income poverty, vulnerability, and human poverty, which tend to raise the incidence of chronic poverty and of vulnerability of the poor. What is Drought :- According to IMD (Indian Meteorological Department) drought is a situation when the rainfall is less than 25 percent of the normal rainfall. The meteorological definition, however, need not coincide with the hydrological or agricultural definition of drought. Hydrological drought: Hydrological drought is a situation when the surface and ground water levels fall below the average levels and are affected not only by precipitation but also by infiltration and evaporation. Hydrological dimension of drought refers to the water distribution on land surface after precipitation has reached the ground. Major indicators of hydrological drought are low reservoir storage, inadequate stream flows, aggregate runoff less than long term average runoff and precipitation at high elevation. Its frequency is defined on the basis of its influence on river basin: SWSI (surface water supply index) is mostly used to measure hydrological drought. Agricultural drought: Agricultural drought refers to shortage of water for crop growth or consistently high soil moisture deficiency over the growing season. Major indicators of agricultural drought are shortage of precipitation – departure from the normal, abnormal evaporation, deficiency of sub-soil moisture etc. Its intensity depends on the difference.between plants water demand and water availability. Crop moisture index (CMI) is used to measure agricultural drought. Ecological drought: Ecological drought occurs when primary productivity of natural or (managed) ecosystem declines significantly owing to reduced precipitation. Socioeconomic drought incorporates features of all the above types of droughts. It occurs when precipitation is not sufficient to meet needs of human activities. Socio-economic droughts are the aggregate of all the above droughts when precipitation is not adequate to meet the needs of human activities. Though meteorological drought is mainly a natural phenomenon, a natural disaster, the intensity of its impact on hydrological, agricultural and ecological droughts can be reduced by appropriate interventions, which, in turn, can also impact on socio-economic droughts. The crux of drought policy is to reduce this impact so as to reduce the adverse impact of droughts on human well-being. The impact of droughts varies with the time scale of droughts. The longer the period of drought and the larger the number of consecutive droughts, the greater will be its impact on agriculture, ecology and economy. The regions, which are subjected to frequent droughts, therefore need careful attention of policy makers. Drought Prone areas of India:- Drought Prone Area Programmee:- The basic objective of the programme is to minimise the adverse effects of drought on production of crops and livestock and productivity of land, water and human resources ultimately leading to drought proofing of the affected areas. The programme also aims to promote overall economic development and improving the socio-economic conditions of the resource poor and disadvantaged sections inhabiting the programme areas. How to Fight Drought :- Drougth is a climatic phenomenon, hence it can only be fought as a long term strategy. Short-term:- The short-term drought fighting mechanism is to reduce the socio-economic impact of drought. This is essentially bringing the vulnerable from out of imminent danger . Long – Term:-The long term requires a integrated approach :- - Integrated watershed development - Ground water recharge programmes - Afforestation to contain loss of moisture - Desert development programmee- Fighting the aridity and restricting new regions getting decertified. - River valley Projects 2)Launch of Technology Acquisition and Development Fund (TADF) under National Manufacturing Policy (NMP) :- - Technology Acquisition and Development Fund (TADF) under National Manufacturing Policy being implemented by Department of Industrial Policy & Promotion(DIPP) - TADF is a new scheme to facilitate acquisition of Clean, Green & Energy Efficient Technologies, in form of Technology / Customised Products / Specialised Services / Patents / Industrial Design available in the market available in India or globally, by Micro, Small & Medium Enterprises (MSMEs) - The Scheme is conceptualised to catalyse the manufacturing growth in MSME sector to contribute to the national focus of “Make in India”. Under the Scheme which would be implemented through Global Innovation and Technology Alliance (GITA), a joint venture company, support to MSME units is envisaged by the following: - Direct Support for Technology Acquisition- Proposals from Indian industry will be invited for reimbursement of 50% of technology transfer fee or Rs. 20 lakhs, whichever is lower - In-direct Support for Technology Acquisition through Patent Pool- Financial support will be provided in acquiring of technology/Patent from across the Globe based on applications received from MSMEs. Technology/Patent will be licensed to selected companies, with a mutually agreed value and the selected companies will get a subsidy of 50% of the mutually agreed value or Rs. 20 lakhs - Technology / Equipment Manufacturing Subsidies: The fund will support, via subsidies, manufacturing of equipment / machines / devices for controlling pollution, reducing energy consumption and water conservation. The manufacturing units will be provided with a subsidy of up to 10% of capital expenditure incurred on new plant & machinery subject to a maximum of Rs. 50 lakhs - Green Manufacturing – Incentive Scheme: The scheme will facilitate resource conservation activities in industries located in NIMZ through the introduction of incentive/subsidy schemes for energy/ environmental/ water audits, construction of green buildings, implementation of waste treatment facilities and implementation of renewable energy projects through financial support under the TADF *The amounts are not required to be remembered as such but the components are important. 3)Highlights of Recommendations of Seventh Central Pay Commission :- Recommended Date of implementation: 01.01.2016 Minimum Pay: Based on the Aykroyd formula, the minimum pay in government is recommended to be set at ₹18,000 per month. Maximum Pay: ₹2,25,000 per month for Apex Scale and ₹2,50,000 per month for Cabinet Secretary and others presently at the same pay level. The total financial impact in the FY 2016-17 is likely to be ₹1,02,100 crore, over the expenditure as per the ‘Business As Usual’ scenario. Of this, the increase in pay would be ₹39,100 crore, increase in allowances would be ₹ 29,300 crore and increase in pension would be ₹33,700 crore In percentage terms the overall increase in pay & allowances and pensions over the ‘Business As Usual’ scenario will be 23.55 percent. Within this, the increase in pay will be 16 percent, increase in allowances will be 63 percent, and increase in pension would be 24 percent. Fitment: A fitment factor of 2.57 is being proposed to be applied uniformly for all employees. Annual Increment: The rate of annual increment is being retained at 3 percent. Modified Assured Career Progression (MACP): Performance benchmarks for MACP have been made more stringent from “Good” to “Very Good”. The Commission has also proposed that annual increments not be granted in the case of those employees who are not able to meet the benchmark either for MACP or for a regular promotion in the first 20 years of their service. No other changes in MACP recommended. Military Service Pay (MSP): The Military Service Pay, which is a compensation for the various aspects of military service, will be admissible to the Defence forces personnel only. As before, Military Service Pay will be payable to all ranks up to and inclusive of Brigadiers and their equivalents. 4)Inter-Linking of River :- - Government has taken up Interlinking of River (ILR) programme under National Perspective Plan (NPP) on a high priority - The Detailed Project Reports (DPR) of Ken – Betwa Link Project, Damanganga – Pinjal Link Project and Par-Tapi-Narmada link project have been completed. - In addition to NPP links, National Water Development Agency (NWDA) has taken up the proposals of Intra-State links in a vigorous manner.Intra-State link projects namely (i) Burhi Gandak-Noon-Baya-Ganga and (ii) Kosi-Mechi have already been prepared and submitted to Government of Bihar. - The Interlinking of Rivers Programme is critical for enhancing water and food security of the country especially in the water short, drought prone and rainfed farming areas 5)Special Mahila Police Volunteers :- - The Minister of Women and Child Development, Smt. Maneka Sanjay Gandhi briefed the Committee members about scheme of Special Mahila Police Volunteers (MPVs), an initiative for facilitating Police force through community volunteerism and other initiatives taken by the Government for women’s welfare such as One Stop Centre for women affected by violence, Women Helpline across the country with the single number 181 to meet women’s emergency and non-emergency needs and Beti Bachao, Beti Padhao.
2,686
2,556