text stringlengths 16 69.9k |
|---|
Q:
React Access Variable from All Components
I'm new to React, so excuse me if this is a dumb question. Is there a way to make a variable public and accessible from all other components within react? For instance I am setting a boolean value in one component and I would like to be able to access that boolean from any of the other components. Is this possible? Or am I stuck within the confines of parent/child relationships?
Thanks!
A:
You can use Context to manage state across components or you can use state management libraries like Redux
If you want to have share only one Boolean as you specified in your question, Better go with Context as it is builtin with React
Basic Usage of Context will be as follows
Please find the sandbox for basic implementation of context
|
What is Project SHINE?Project Shine is a collaborative service-learning project that links students from City College of San Francisco and San Francisco State University with older immigrants and refugees seeking to learn English and navigate the complex path to U.S. citizenship. In citizenship and ESL classes in CCSF’s noncredit program and in community sites, students coach elders, helping them become more actively engaged in their communities and teaching the U.S. history and civics needed to pass the citizenship exam. |
The political divide between the Left and the Right in America (as well as all other Western nations) is growing wider by the day. This should be a major concern to everybody; first of all, because an inability to communicate makes violence inevitable (and we’ve certainly been seeing a growth in intra-American violence lately) and second, because an inability to communicate means an inability to coordinate. The Democrats and the Republicans are not the only actors on the stage: while these two halves of the body politic fight amongst themselves, other interests – foreign, corporate, criminal – can take advantage... |
As it was reported, one member of European security watchdog OSCE’s monitoring mission in eastern Ukraine was killed and two others were injured after their vehicle drove over a mine near Luhansk. The Ministry of Foreign Affairs of Ukraine published ... |
Lick Run
Lick Run may refer to:
Lick Run (Clinton County, Pennsylvania), a Pennsylvania Scenic River
Lick Run (Little Fishing Creek), a stream in Columbia County, Pennsylvania
Lick Run (Peters Creek), a tributary of Peters Creek near Pittsburgh and the birthplace of Nellie Bly
Lick Run (Roaring Creek), a stream in Columbia County, Pennsylvania
Lick Run (West Branch Susquehanna River), a stream in Clearfield County, Pennsylvania
Lick Run (White Deer Creek), a stream in Lycoming County and Union County, Pennsylvania
Lick Run (Sugar Creek tributary), a stream in Venango County, Pennsylvania |
The experiments I propose are designed to investigate the DNA substrates involved in genomic rearrangement in animal cells. I intend to construct DNA molecules that are potentially recombinagenic, and to introduce these molecules into cultured cells. Such DNA molecules will be designed to reveal recombination by changing the phenotype of the cell. The ultimate aim of this approach is to construct cell lines that harbor ectopic DNA sequences that can be monitored for recombination by the application of growth conditions selective for the expression of recombinant genes. Use of such "recombination-indicator" cell lines will allow quantitation of recombination events in chromosomal DNA of mammalian cells. The primary application of recombination-indicator cells will be to study the effects of biological and chemical elements that appear to induce or mediate chromosomal rearrangements. The specific factors I propose to consider are the SV40 replicon and the recombinagenic drug, mitomycin C. A second aspect of DNA metabolism I propose to study is the cis-effects of simple-sequence DNAs that can readily assume a Z-DNA configuration. To this end, I will introduce tracts of alternating GT sequence into nonessential regions of the SV40 genome, and determine the effect of such sequences on recombination between viral and cellular DNA. In conjunction with this study, I will investigate the abundance and distribution of GT repeats in the mammalian genome via DNA hybridization and cloning. |
Research Ethics Roundup: No Voluntary Compliance of New Common Rule Changes, President Proposes Large NIH Cuts, Using Technology Instead of Animals in Research, FDA Commissioner Nominee Announced
This week’s Research Ethics Roundup examines why legal experts are advising against voluntary compliance of Common Rule changes, President Trump’s plan for the National Institutes of Health (NIH)’s budget, the debate over whether technology can replace animal models in research, and the reaction to President Trump’s pick for Food and Drug Administration (FDA) Commissioner.
Related
The views, opinions and positions expressed by these authors and blogs are theirs and do not necessarily represent that of the Bioethics Research Library and Kennedy Institute of Ethics or Georgetown University. |
Q:
Jackson determine derived class
I have a UseCase where I receive an object via REST and need to determine the concrete type.
The REST controller looks like:
public ResponseEntity<String> processLocation(@RequestBody Location location) throws IOException, InterruptedException
Now Location is an empty superclass for two concrete classes, one is GeoPositionLocation and the other one is AdressLocation.
They look like:
public class GeoPositionLocation extends Location{
private double latitude;
private double longitude;
}
public class AdressLocation extends Location {
private String street;
private int number;
private String numberAdditive;
private int zipCode;
private String townName;
}
Now I want the REST controller to deserialize the passed object to the concrete type.
Things I thought about:
Introduce an Enum and give each class a type and then do a if/else or do two separate REST endpoints for each location type.
A:
You could try to use the annotations @JsonTypeInfo and @JsonSubTypes like explained in this tutorial.
But therefore you would need to serialize the the classes using the same annotations I think. If you can access the serialization of the classes it could look like this:
@JsonTypeInfo(use = JsonTypeInfo.Id.NAME, include = JsonTypeInfo.As.PROPERTY)
@JsonSubTypes({@JsonSubTypes.Type(value = GeoPositionLocation.class, name = "geo_location"), @JsonSubTypes.Type(value = AdressLocation.class, name = "adress_location")})
public class Location {
//...
}
|
Q:
Promise - wrapping error during deferred.reject
I'm trying to create a deferred wrapper using q.js such that I can wrap errors (strings) in a custom error class before they're passed back by the promise in then() or fail(). This is what I'm doing at the moment:
var getDeferred = function() {
var deferred = q.defer();
var reject = deferred.reject;
deferred.reject = function(error) {
if (!(error instanceof MyErrorClass))
error = new MyErrorClass(error)
return reject.apply(deferred, arguments);
}
return deferred;
}
So the idea is that the user would do something like
var deferred = getDeferred();
deferred.promise.fail(function(err) {
// err should now be instance of MyErrorClass and NOT a string
})
deferred.reject('A string error')
And expect to get MyErrorClass in the fail() handler, rather than the string passed to deferred.reject.
The above code works, but it's hardly ideal -- I know I shouldn't be monkey-patching deferred.reject. But is there a better way to do this?
A:
It's prettier / more promise oriented like this :
var getDeferred = function() {
var deferred = q.defer();
deferred.promise = deferred.promise.then(null, function(error) {
if (!(error instanceof MyErrorClass))
error = new MyErrorClass(error)
throw error
}
return deferred;
}
This way you just attach an error handler which will mutate any non MyErrorClass errors. It seems like an odd use case in general though...
|
Q:
How to check if two arrays contain the same values?
I have two arrays and I have to compare them against each other:
$a = array('BRANCH','ADDRESS','MOBILE','NAME');
$b = array('BRANCH','ADDRESS','MOBILE','NAME');
$a == $b → true
But when the values are in a different order, this comparison doesn't work:
$a = array('BRANCH','ADDRESS','MOBILE','NAME');
$b = array('NAME','BRANCH','MOBILE','ADDRESS');
$a == $b → false
How do i compare these two arrays to see if both contain the same values, regardless of their order?
A:
I would do array_diff() which check difference between two arrays.
$areEqual = array_diff($a, $b) === array_diff($b, $a);
or
$areEqual = !(array_diff($a, $b) || array_diff($b, $a));
|
import Button, { Props as _ButtonProps } from './Button';
/* tslint:disable */
export interface ButtonProps extends _ButtonProps {}
export default Button;
|
There exists a need for processes to make the compounds disclosed herein in at least one or more of an efficient, scaleable, and reproducible manner that will allow for the generation of large scale quantities. |
Drawing disability in Japanese manga: visual politics, embodied masculinity, and wheelchair basketball in Inoue Takehiko's REAL.
This work explores disability in the cultural context of contemporary Japanese comics. In contrast to Western comics, Japanese manga have permeated the social fabric of Japan to the extent that vast numbers of people read manga on a daily basis. It has, in fact, become such a popular medium for visual communication that the Japanese government and education systems utilize manga as a social acculturation and teaching tool. This multibillion dollar industry is incredibly diverse, and one particularly popular genre is sports manga. However, Inoue Takehiko's award-winning manga series REAL departs from more conventional sports manga, which typically focus on able-bodied characters with sometimes exaggerated superhuman physical abilities, by adopting a more realistic approach to the world of wheelchair basketball and the people who play it. At the same time REAL explores cultural attitudes toward disability in Japanese culture-where disability is at times rendered "invisible" either through accessibility problems or lingering associations of disability and shame. It is therefore extremely significant that manga, a visual medium, is rendering disability visible-the ultimate movement from margin to center. REAL devotes considerable attention to realistically illustrating the lived experiences of its characters both on and off the court. Consequently, the series not only educates readers about wheelchair basketball but also provides compelling insight into Japanese cultural notions about masculinity, family, responsibility, and identity. The basketball players-at first marginalized by their disability-join together in the unity of a sport typically characterized by its "abledness." |
Spoof of the Sherlock Holmes legend, in which Holmes is actually portrayed by a bumbling, skirt-chasing actor, and Watson is the sole crime-solving mastermind, hiring the actor to impersonate the character made famous by the doctor's published exploits. The leads have some fun and so do we; but laughs are widely spaced. |
- The Live images are based on the Fedora LiveCD tools.- If you install the LiveCD to hard drive, the installation of the live image is done by anaconda similar to the normal SL6 installation. All changes done during LiveCD usage are lost!- You can install the LiveCD on an USB stick with persistent changes using liveusb-creator included in sl-addons: yum --enablerepo=sl-addons install liveusb-creator- To build your own LiveCD use livecd-tools from sl-addons: yum --enablerepo=sl-addons install livecd-tools |
Hilton Garden Inn SchaumburgSchaumburg, Illinois Hotels & ResortsClose to downtown Chicago, the Hilton Garden Inn in Schaumburg, Illinois offers amenities for the business or leisure traveler. The property is located
Disclaimer: Information provided through RealAdventures website, newsletters, emails or other services has been provided directly by the companies and/or individuals owning or offering the products/services. RealAdventures does not guarantee or warranty the accuracy of the information contained herein. It is the sole responsibility of the user to ensure the accuracy and clarity of any posted material and to determine the suitability of any service for their particular needs or requirements. Likewise, it is the responsibility of advertisers to determine the suitability and credit worthiness of potential customers prior to any transaction. |
Q:
Output in row or column based on value
I want to show all my users grouped in rows based on their role. So one row with all admin users, one row with all premium users, etc. In my view I have this:
<% @users.each do |user| %>
<tr>
<td><%=h user.name %></td>
<td><%=h user.role %></td>
</tr>
<% end %>
And in the controller I have this:
@users = User.find(:all, :order=>'role asc')
This will nicely output all users, but every users on a separate row. Any ideas? Thanks!
A:
After you have retrieved all users from the db, you can group them into a hash by their role and then loop through that result, perhaps like this:
@users = User.all(:order => "role ASC").group_by(&:role)
This will result in a hash:
=> {"admin" => [<User...>, <User...>, ...], "premium" => [<User...>]}
So in your views you could loop through them with the each_pair method:
<% @users.each_pair do |role, users| %>
<tr>
<td><%= role %><td>
<td>
<% users.each do |user| %>
<span><%= user.name %></span>
<% end %>
</td>
</tr>
<% end %>
|
wget -O TVG_CRFRNN_COCO_VOC.caffemodel http://goo.gl/j7PrPZ
|
Medical management of gastroesophageal reflux disease.
Gastroesophageal reflux disease (GERD) is the most frequent problem seen in the esophageal clinic and laboratory Most patients who have a small hiatal hernia or an occasional reflux require only symptomatic treatment and some lifestyle modifications. However, prolonged medical treatment becomes mandatory in more severe cases, and these patients must significantly modify their lifestyle and try to correct the underlying causes of their condition. |
Trey Burke was named a finalist of the Naismith National Player of the Year Award on Sunday evening.
Burke is one of four finalists along with Indiana’s Victor Oladipo, Georgetown’s Otto Porter Jr. and Creighton’s Doug McDermott.
Fans can vote online for their Naismith Award choice among the four finalists as part of the award’s online component.
Burke was named Big Ten Player of the Year by both coaches and media and was also tabbed by Sports Illustrated as the National Player of the Year.
Burke is also a finalist for the John Wooden and Oscar Robertson player of the year honors. (Photo: Bryan Fuller) |
# Minitest
- minitest/test is a lightweight testing framework with assertions
- minitest/spec is a spec engine, that hooks onto minitest/test bridging assertions over to spec expectations (as in Rspec)
- minitest/benchmark asserts algorithm performance
- minitest/mock is a mock and stub framework
### Synopsis
For testing some class `Meme`, create a class `TestMeme < Minitest::Test` with functions:
```ruby
def setup
@meme = Meme.new
end
def test_that_kitty_can_eat
assert_equal "OHAI!", @meme.i_can_has_cheezburger?
end
```
to run, `ruby -Ilib:test test/minitest/test_minitest_test.rb`
### Mocha
A ruby library for mocking and stubbing with builtin support for Minitest.
|
Electrical switchboards and other forms of circuit breaker enclosures are typically constructed with cubical or enclosure access doors having openings through which the circuit breaker operating handles extend for convenient manual operation by operating personnel without the necessity of opening the access doors. As a safety precaution for operating personnel, it is common practice to equip each switchboard cubical or circuit breaker enclosure with an interlock which functions to prevent or at least discourage opening of the access door unless and until the circuit breaker therein is open, i.e., OFF.
There are occasions however when it would be most advantageous, if not an absolute necessity, from the standpoint of avoiding disruption of electrical service, for maintenance personnel to gain access to the enclosure without first having to open the circuit breaker. As a consequence, these door interlocks must somehow be defeatable. One way of accomplishing this would be to install the interlock in a manner such that it can be completely removed. This is not a particularly attractive recourse in view of the time and effort required of authorized maintenance personnel. Moreover, defeating the door interlock by its complete removal would be a readily apparent recourse to unauthorized personnel bent on access to the enclosure, and thus any facility in doing so would detract from the intended purpose of discouraging unauthorized access while the circuit breaker is closed. Thus, for the interlock to be effective for its intended purpose, defeatablility should be unobvious to uninformed personnel, regardless of whether it is convenient or not.
It is accordingly an object of the present invention to provide a door interlock for effectively discouraging access to an electrical enclosure while the circuit breaker therein is closed, and yet is readily defeatable by informed, authorized personnel.
A further object of the present invention is to provide a door interlock of the above character which is equipped with unobtrusive interlock defeating provision.
Yet another object of the present invention is to provide an interlock of the above character having provisions for simultaneously padlocking the circuit breaker in its open condition and the enclosure door in its closed position.
An additional object is to provide a door interlock of the above character which is simple in construction, economical to manufacture, reliable in service, convenient to operate by operating personnel in its undefeated condition and readily defeatable by informed maintenance personnel.
Other objects of the invention will in part be obvious and in part appear hereinafter.
In accordance with the present invention, there is provided an interlock for controlling the opening of an access door to an electrical enclosure in accordance with the condition of a circuit breaker situated therein. The interlock includes first and second members commonly mounted to the circuit breaker for movements between respective first and second positions. The first member carries control means disposed in operative relation with a circuit breaker pushbutton which is manipulated from an elevated condition to a depressed condition to convert the breaker from its ON to its OFF condition. Moreover, this pushbutton, while in its depressed condition, inhibits conversion of the breaker from its OFF to its ON condition.
More specifically, the first member control means is arranged to abut the pushbutton in its elevated positions to preclude movement of the first member from its first to its second position. Further, with the pushbutton in its depressed condition, the control means clears the pushbutton to permit movement of the first member from its first position to its second position, and, with the first member at second position, the control means engages the pushbutton to sustain its depressed condition. The second member carries catch means which is disposed, with the second member in its first position, to interfere with the opening of the access door and is disposed, with the second member in its second position, to clear the access door so as to permit opening same.
Coupling means are provided to normally intercouple the first and second members for conjunctive movement between their respective first and second positions. Consequently, the access door cannot be opened until the circuit breaker pushbutton is depressed to open the circuit breaker and, at the same time, permit conjunctive movement of the members from their first positions to their second positions. To accommodate those situations when it is desirable to gain access to the enclosure without having to open the circuit breaker, the coupling means is uniquely designed to be readily, but unobtrusively defeatable by informed personnel so as to decouple the first and second members. With the interlock defeated, the second member may be moved to its second position independently of the first member and thus without having to first depress the pushbutton to open the circuit breaker in order to open the access door.
The interlock of the present invention is further equipped to accommodate padlocking of the circuit breaker in its open condition and the access door in its closed condition. To this end, at least the first member is mounted for movement in a first direction from its first position to its second position and in an opposite direction from its first position to a third position. The control means precludes movement of the first member from its position to its second position until the pushbutton is depressed, and, while in this third position, the control means engages the pushbutton to sustain its depressed condition. Moreover, the first member, in its third position, serves as a catch to preclude opening of the access door. The first member is equipped with provision to accept the hasp of a padlock so as to effectively lock the first member thereat.
The invention accordingly comprises the features of construction, combination of elements, and arrangement of parts which will be exemplified in the construction hereinafter set forth, and the scope of the invention will be indicated in the claims. |
Han Sang-hyeok
Han Sang-hyuk may refer to:
Han Sang-hyeok (voice actor)
Hyuk (singer) |
Coaxial cables are commonly utilized in RF communications systems. A typical coaxial cable includes an inner conductor, an outer conductor, a dielectric layer that separates the inner and outer conductors, and a jacket that covers the outer conductor. Coaxial cable connectors may be applied to terminate coaxial cables, for example, in communication systems requiring a high level of precision and reliability.
Coaxial connector interfaces provide a connect/disconnect functionality between (a) a cable terminated with a connector bearing the desired connector interface and (b) a corresponding connector with a mating connector interface mounted on an apparatus or on another cable. Typically, one connector will include a structure such as a pin or post connected to an inner conductor and an outer conductor connector body connected to the outer conductor; these are mated with a mating sleeve (for the pin or post of the inner conductor) and another outer conductor connector body of a second connector. Coaxial connector interfaces often utilize a threaded coupling nut or other retainer that draws the connector interface pair into secure electro-mechanical engagement when the coupling nut (which is captured by one of the connectors) is threaded onto the other connector.
“Quick-connect” coaxial connectors rely on a mechanism for maintaining contact between mated conductors that eliminates the multiple rotations of a threaded coupling nut. However, such connectors may suffer from unreliable performance due to inconsistent contact between conductors of the connectors. In addition, many quick-connect coaxial connectors are configured such that they may only be connected to specific mating quick-connect connectors; thus, they are unable to be used with some standard connectors that may already be in the field. It may be desirable to provide a reliable quick-connect coaxial connector configuration, and in particular one that can connect to some existing standard connectors. |
Sustainability, Plurality & Justice for Science & Technology in India
Illegally collected Himalayan plant seeds sold in UK
Seeds of exotic plants illegally collected in the Himalayas are being sold in the UK, the BBC has found. National Himalayan authorities say no permission was obtained to gather and export the plant material. The activity harms the environment and deprives local people of benefits from the trade of plants, they add.
Some of the suppliers told the BBC that locals had actually helped them collect the flowers; others said they did not know their activities were illegal. Experts say horticulture societies and clubs across the UK have long raised questions about such practice.
“As an EU member state, the UK is subject to new EU regulation which implements the Protocol in the EU,” says John Dickie, senior research leader with the Millennium Seed Bank, which is run by the Royal Botanic Gardens, Kew. “Users of genetic resources in the UK will need to show ‘due diligence’ that the resources were acquired legally.”
Mr Watson from the Edinburgh gardens said people growing plants at home should be aware of where their plants are from – and what impact their removal could have on those countries and local people.
“A fair analogy is to compare with the fair trade type of movement: people are getting more aware these days of sourcing their food ethically, and it is about time people should be thinking about the same thing for the plants that they are growing in their garden.” |
#!/bin/bash
set -euo pipefail
IFS=$'\n\t'
# Sets the target folders and the final framework product.
PROJECT_NAME=XCTestWD
FRAMEWORK_CONFIG=Release
BUILD_TARGET=XCTestWD
# Install dir will be the final output to the framework.
# The following line create it in the root folder of the current project.
INSTALL_DIR="$SRCROOT/Frameworks/$BUILD_TARGET.framework"
# Working dir will be deleted after the framework creation.
WORK_DIR="$SRCROOT/build"
DEVICE_DIR="$WORK_DIR/${FRAMEWORK_CONFIG}-iphoneos/$BUILD_TARGET.framework"
SIMULATOR_DIR="$WORK_DIR/${FRAMEWORK_CONFIG}-iphonesimulator/$BUILD_TARGET.framework"
rm -rf "$WORK_DIR"
echo "Building device..."
xcodebuild -configuration "$FRAMEWORK_CONFIG" -target "$BUILD_TARGET" -sdk iphoneos -project "$PROJECT_NAME.xcodeproj" > /dev/null
echo "Building simulator..."
xcodebuild -configuration "$FRAMEWORK_CONFIG" -target "$BUILD_TARGET" -sdk iphonesimulator -project "$PROJECT_NAME.xcodeproj" > /dev/null
echo "Preparing directory..."
rm -rf "$INSTALL_DIR"
mkdir -p "$INSTALL_DIR/Headers"
mkdir -p "$INSTALL_DIR/Modules/$BUILD_TARGET.swiftmodule"
# Regulating Framework Deliverables
echo "Migrating System Headers:"
cp "$SIMULATOR_DIR/Headers/"*.h "$INSTALL_DIR/Headers/"
echo "Mixing Mutli-Architecture Swift Modules:"
cp "$SIMULATOR_DIR/Modules/module.modulemap" "$INSTALL_DIR/Modules/"
cp "$SIMULATOR_DIR/Modules/$BUILD_TARGET.swiftmodule/"* "$INSTALL_DIR/Modules/$BUILD_TARGET.swiftmodule/"
cp "$DEVICE_DIR/Modules/$BUILD_TARGET.swiftmodule/"* "$INSTALL_DIR/Modules/$BUILD_TARGET.swiftmodule/"
cp "$SIMULATOR_DIR/Info.plist" "$INSTALL_DIR/"
echo "Combine Fat File"
lipo -create "$DEVICE_DIR/$BUILD_TARGET" "$SIMULATOR_DIR/$BUILD_TARGET" -output "${INSTALL_DIR}/${BUILD_TARGET}"
# Clean Up Intermediate File
# rm -rf "$WORK_DIR"
|
If you’re having a Halloween party, make sure your animals have a safe place to go if they want to hide. Having a lot of strangers around, the door repeatedly opening, lots of noise, and people in weird costumes can be stressful for pets.
Keep pets indoors. Make sure your pets have proper identification such as collars with current ID tags and/or a microchip if they do get out. Current ID can help reunite lost pets with their humans!
Be careful with pet costumes. Some pets enjoy being dressed up; others do not. Don’t force your pet to wear a costume. If your pet does wear a costume, be sure it does not inhibit your pet’s movement, breathing, or ability to vocalize. Make sure that your pet doesn’t overheat in the costume either.
Last but not least, use common sense. Be responsible. Be safe and ensure your pets are safe too! |
Menu
Your Next Breakthrough
Where does true innovation come from? Years ago I stumbled upon a company that described it very well. The company is Ecovative Design.
Innovation (Photo credit: masondan)
It was started up by two college students Gavin McIntyre and Eben Bayer. They came across their product while experimenting for a class project to make a natural glue. They decide to use mushroom roots (mycelium) and discovered that they could make solid parts with it includings such as “packaging peanuts” and car parts. Making these products from natural substances is incredible but what is even more amazing is the fact that the mycelium is fire-proof, waterproof, and will decompose if buried. Talk about a breakthrough!
Car parts from fungus? Who would have guessed?
“Innovation really lies at the intersection of disciplines” – McIntyre. Take the FMS (Functional Movement Screen for example. It was developed by Gray Cook and Lee Burton. It crossed over from the physical therapy side to the strength coach and personal training arena. At first this was violently opposed by physical therapists who believed it would threaten their business and was outside the scope of trainers. As time went by what was once thought of as off limits for trainers and coaches is now an extremely useful tool.
The question we need to be asking ourselves is what can we learn from other fields? What field can we explore and learn from? This is where the breakthrough lies. Sure we need to keep up with information in our field but we need to take time scouting out others as well. We also need to not fall victim to the “this won’t work for our field” disease.
“An moron can come up with a lot of reasons to invalidate an idea. So don’t give yourself any points for being able to sit there and figure out why ‘X’ doesn’t apply to you…The only real value and the only real genius is in figuring out how to apply an idea, not how to invalidate an idea” – Dan Kennedy
An example of a field we need to read up on more is psychology. What does psychology/ sports psychology have that can get more potential out of our clients? Or what does psychology say can allow us to reach more people in our marketing? What strategies do other fields use to market their services that we have not tried? There is endless potential for innovation if we can make the right connections. |
Cell-permeable GPNA with appropriate backbone stereochemistry and spacing binds sequence-specifically to RNA.
Guanidine-based peptide nucleic acid (GPNA) with a d-backbone configuration and alternate spacing binds sequence-specifically to RNA and is readily taken up by both human somatic and embryonic stem (ES) cells. |
Wet’suwet’en People
(Yinka Dini – People of this Earth)
Unist'ot'en – People of the Headwaters
The Unist'ot'en (C’ihlts’ehkhyu / Big Frog Clan) are the original Wet’suwet’en Yintah Wewat Zenli distinct to the lands of the Wet’suwet’en. Over time in Wet’suwet’en History, the other clans developed and were included throughout Wet’suwet’en Territories. The Unist'ot'en are known as the toughest of the Wet’suwet’en as their territories were not only abundant, but the terrain was known to be very treacherous. The Unist'ot'en recent history includes taking action to protect their lands from Lions Gate Metals at their Tacetsohlhen Bin Yintah, and building a cabin and resistance camp at Talbits Kwah at Gosnell Creek and Wedzin Kwah (Morice River which is a tributary to the Skeena and Bulkley River) from seven proposed pipelines from Tar Sands Gigaproject and LNG from the Horn River Basin Fracturing Projects in the Peace River Region.
Our Governance Structure
UPDATES
COME TO CAMP
The Unist’ot’en Camp is an indigenous re-occupation of Wet’suwet’en land in northern “BC, Canada”. Year-round volunteer support is needed on the frontlines and beyond.
WILL YOU COME JOIN THE CAMP? Sign up through the secure form before arriving.Read More » |
Gillette Fusion ProGlide Cartridges Dalton GA
Welcome to the Overstock Drugstore Local Pages. Here you will find local information about Gillette Fusion ProGlide Cartridges in Dalton, GA and products that may be of interest to you. In addition to a number of relevant products you can purchase from us online, we have also compiled a list of businesses and services around Dalton, including Pharmacies & Drug Stores, and Department Stores that should help with your search in Dalton. We hope this page satisfies your local needs. Before you take a look at the local resources, please browse through our competitively priced products that you can order from the comfort of your own home.
Welcome to the Overstock Drugstore Local Pages. Here you will find local information about Oxy-Powder Constipation Pills in Dalton, GA and products that may be of interest to you. In addition to a number of relevant products you can purchase from us online, we have also compiled a list of businesses and services around Dalton, including Dentists, Cosmetic Dentistry, and Pharmacist that should help with your search in Dalton. We hope this page satisfies your local needs. Before you take a look at the local resources, please browse through our competitively priced products that you can order from the comfort of your own home. |
The Science Behind Mindfulness and Good Health
Five Ways Mindfulness Can Benefit Us
According to thousands of years of tradition, Buddhists meditate to understand themselves and their connections to all beings. By doing so, they hope to be released from suffering and ultimately gain enlightenment. Please continue reading |
About Kate Halligan
For the actual booth presentation, I hope to make the booth much more interactive; starting with a game similar to the game we presented to students at the University of Mayaguez. After this area I imagine us putting together a multi-section presentation, with each area being screened off from the next to help the viewer focus on the particular section of the booth. Each section would have photos from our trip containing that theme, along with a video on each of the different area themes (water, agriculture, and hiking/rain forest areas). This interaction would allow the viewers to interact with us, along with being able to interact with a visual stimuli that could provoke new thoughts and questions for us.
At the end of the presentation there would be several other of us that would be avaible to answer questions our viewer may have came up with. Alongside us we could also have several of the souvenirs and objects we brought back from Puerto Rico, so that the view could see even more stimuli. After attracting the viewers, we will know how to keep them focused on us, but it will be attracting them initially that could be difficult (especially at the beginning of open house when no one knows what we are); therefore I propose that we also have a blooper reel on a monitor alongside our barkers, in order to attract attention to the booth. This would help to attract attention to the booth, and then we could continue keeping their attention by our speaking and visual displays.
Image
The amount of surprise Puerto Rico gave me is almost indescribable. Personally, I have never been to a foreign country, I had never been on a plane, and I had never seen an ocean beach or true tropical plants or experienced the humidity and heat of areas closer to the equator; so saying Puerto Rico surprised me is probably a huge understatement. I had no idea what to expect when I came to Puerto Rico, but I basically imagined the typical beach in a movie, some sunshine, and lots of tropical flowers. I guess you could call this a pretty naïve viewpoint when traveling to a foreign country- or blissful ignorance- whichever you prefer.
I think the biggest surprise to me, other than the weather, was the cultural differences of Puerto Rico and the United States. In the states, there’s an uncountable number of different cultures, but in Puerto Rico the culture is more focused. Although Puerto Rico is extraordinarily proud of their culture and country, they have also been very influenced by the United States. Basically everywhere on the island we ran into people that spoke English rather than Spanish, and also really embraced American items alongside their normal culture; this was so different than what I expected, as I didn’t really know how much Spanish or English would be spoken or how much I would really be able to understand.
A huge surprise to me was the difference in beaches around the island, and the difference in weather in different parts of the island. I imagined the weather being pretty much the same all over the island, but I quickly realized that there are dryer areas and wetter areas of the island, correlating with the rainforest, farming areas (plains), and beaches. The weather and different ocean tides also effect the beaches; causing each beach to vary in its roughness, sand quality, and water temperature. I think it was blissful ignorance that made me originally think that all beaches were built the same, but I was very wrong. The second beach we visited near Mayaguez was black sand, and much deeper right off the coast, with darker water in comparison to the third beach we visited. The third beach we visited after snorkeling was white, fine, sand, with shallow waters right off the coast and almost crystal clear water. Due to the differences in the beaches, it also made some more popular to visitors, human and animal, than others.
Another small surprise to me, was larger amounts of agricultural activity than I expected. I knew that the island was a large producer of certain fruits and coffees, but I didn’t realize just how much of the island farming took over. From the forests to the plains, agriculture is a huge industry on the island. Compared to Illinois, agriculture probably takes over more of a percentage of the island that the percentage of the state of Illinois. Each of the areas produces their own specialty crops- Illinois with corn and Puerto Rico with fruits and coffee- but they seem to produce and package their products in the same manner and with the some of the same issues. Both producers are working to preserve the Earth they use, along with making a profit and doing research to further the development of farming across the world. For example, when we visited Martek’s farms on Tuesday, we learned that the University of Puerto Rico Mayaguez was working on a similar experiment with Nitrates in the Martek’s fruit trees, as the University of Illinois was doing with their local corn. Each are working on developing similar ideas to further the development of agriculture so that the world will be able to profit long term from their ideas.
Image
Puerto Rico’s agricultural production and consumption, in comparison to the United States agricultural industry, really surprised me. In the United States agricultural industry production can tend to be wasteful, with several bi-products, and usually many imported ingredients and items. However, in Puerto Rico, there are very few unused bi-products and close to none really imported items; some items have their own Puerto Rican swing to them- but they all tend to be made on the island.
As we toured a coffee plantation on the island, we were really informed of the real way fine coffee, and also how coffee in the states, is created and sold. Personally I cannot stand coffee- no matter how much cream and sugar is added- however, others within the group could really tell the different between the American coffees that they drink at home, and the coffee sampled at the coffee plantation. The processing of American coffees is much different than the final processing Puerto Rican coffees go through. Puerto Rican coffees go through a quality control of sorts- only the best beans are dried and roasted for use in the coffee production. Meanwhile, the remaining beans are dried and roasted and sent to larger scale American coffee companies that mix all the remnants of their different beans to make their coffees.
Delivery and consumption of the coffee in Puerto Rico is also much different compared to the United States. In Puerto Rico, the coffee beans are usually dried, roasted, and then sent straight off to be sold within different areas of the island where they are processed into coffee. The coffee produced on the island is generally fresher with a higher quality taste, compared to low grade United States coffee. American coffee also tends to be more processed ahead of delivery, and since it is older, it tends to be less tasteful. This could easily be applied to the Engineering Open House through a game, or just a coffee comparison tasting in one of the sections for the adults (since somehow I feel as if the younger attendees would not be so interested). Each coffee has their own unique qualities and taste, and it would be an interesting experience for the exploring patrons to be able to realize this in an interactive way.
Many items in Puerto Rico found in local restaurants, kiosks and stands are locally produced on the island; however this does not mean that the items on islands are made exactly how the “same” items in the United States are made. For a prime example, something as simple as scrambled eggs look quite different in Puerto Rico vs America. American scrambled eggs are made with only eggs, butter, and salt, usually, and stirred so that they make little clumps of eggs. The American eggs are highly contrasted by the Puerto Rican eggs that usually contain some sort of meat or cheese and tend to be cooked more like how an omelet would be made, and then chopped into stringy pieces. A huge difference in food, is also the sandwiches that tend to be made with a thinner bread, and almost always toasted unless you say otherwise. Although the American food industry and the Puerto Rican food industry are very similar, there are small differences in the industries that make them unique.
For the most part, I feel like the differences in between Puerto Rico and America are superficial; just a cultural and language class between countries. On a normal basis, both areas work the same way, just with different plants- which need different methods of farming in order to produce and turn a profit for the farmer. I believe the goals of both the farmers of America and Puerto Rico are similar: feed the world and take care of their families; and I believe they accomplish that through their hard work in the fields to produce the crops and money they need to be successful in their goals.
Image
Hello all!
My name is Kate, and unlike my peers, I am a Crop Science major with a concentration in Plant Bio-technologies and Molecular Biology. I am super excited to be able to come to Puerto Rico and lend my new perspective to the group. Since I am not an engineering student, I feel like a big part of my role in the project is to be able to lend the group my knowledge and experience with many different types of crops and explain there effects on the environment. I hope to also learn a lot from my peers about engineering and the science behind it.
Kate Halligan
Me on the famous Morrow Plots of the Crop Science department at the University of Illinois. |
The visual centring response in desert ants, Cataglyphis fortis.
Abstract
When negotiating their way through cluttered environments, desert ants, Cataglyphis fortis, tend to run along the midlines of the alleys formed by adjacent low shrubs. This 'centring response' was investigated by inducing foraging ants to walk through artificial channels. The sidewalls of the channel were either homogeneously black or provided with stationary or moving black-and-white gratings. The speed of motion and the spatial period of the gratings and the height of the walls could be varied independently on the left-hand and right-hand sides of the channel. The results clearly show that the ants, while exhibiting their centring responses, try to balance neither the self-induced image speeds nor the contrast frequencies seen in their left and right visual fields, but the vertical angle subtended by the landmarks on either side. When manoeuvring through the channel, the ants always adjust the lateral positions of their walking trajectories in such a way that the vertical angles subtended by the walls are identical for both eyes.
Abstract
When negotiating their way through cluttered environments, desert ants, Cataglyphis fortis, tend to run along the midlines of the alleys formed by adjacent low shrubs. This 'centring response' was investigated by inducing foraging ants to walk through artificial channels. The sidewalls of the channel were either homogeneously black or provided with stationary or moving black-and-white gratings. The speed of motion and the spatial period of the gratings and the height of the walls could be varied independently on the left-hand and right-hand sides of the channel. The results clearly show that the ants, while exhibiting their centring responses, try to balance neither the self-induced image speeds nor the contrast frequencies seen in their left and right visual fields, but the vertical angle subtended by the landmarks on either side. When manoeuvring through the channel, the ants always adjust the lateral positions of their walking trajectories in such a way that the vertical angles subtended by the walls are identical for both eyes.
Download
Article Networks
TrendTerms
TrendTerms displays relevant terms of the abstract of this publication and related documents on a map. The terms and their relations were extracted from ZORA using word statistics. Their timelines are taken from ZORA as well. The bubble size of a term is proportional to the number of documents where the term occurs. Red, orange, yellow and green colors are used for terms that occur in the current document; red indicates high interlinkedness of a term with other terms, orange, yellow and green decreasing interlinkedness. Blue is used for terms that have a relation with the terms in this document, but occur in other documents.
You can navigate and zoom the map. Mouse-hovering a term displays its timeline, clicking it yields the associated documents. |
I hated myself for thinking it of a married man, but it was impossible not to notice how handsome Lucius was with his sleek blonde hair brushed back and shining against his black wool business robes.
^ No! Stop it! Not handsome. Anything but handsome. He is a toad. I feel sick reading this.
The other governors bade me offer their sincerest apologies to you and their wish to meet you some other time
^ What a dirty liar. If she seriously believes him, I swear. I'm about to skip this chapter if things keep going down like they are right now. I'm a bit repulsed and surprised she hasn't gotten up and left yet. Come on Avrille!
All of a sudden my mind went blank, then a feeling of combined euphoria and calmness stole my senses.
No! Are you serious? I can't believe this is happening to her. How dare he! He repulses me. Horrified. Words cannot describe my disgust right now. Who does he think he is?! I was certain there was something in her drink but no, I forgot all about magic and the dark arts.
Oh Avrille...be strong.
Lucius, sending him flying across the room to crash, I hoped extremely painfully, into the wall opposite. I jumped out of my chair, raised it in my hands, and threw it after him, missing his head by about two inches as it broke into pieces. Lucius stared up at me in disbelief as I advanced upon him, his arms held up protectively. He no longer looked the least bit handsome to me, his normally sleek blonde hair now a tangled mess covering his red face. I picked up a broken chair leg and jammed it into the floor dangerously close between his drawn up knees.
I'm not ashamed to say that I jumped in my seat and did a fist pump in the air because of this. Thank goodness. I mean, I know this is going to lead to terrible consequences because heís going to realize how strong she is and then because she bruised his large ego, he's going to probably dig up some dirt about her. Realize whom her father was and then because of her magic and her strength she's going to be a threat maybe or he's going to try and recruit her for the Dark Lord. Seems like something Lucius would do.
I yelled, not quite sure if I being sarcastic or not, and flung
You're missing a word here I think...'was.'
I thought I would eventually leave Hogwarts School for Witchcraft and Wizardry without ever hearing Severus call me by my first name.
^ I was just on an emotional rollercoaster. Wow. What an ending. He finally said her name and is allowing Avrille to call him Severus. It's so sweet and all the anger and disgust I was feeling through the chapter was just washed away. I think I might be in love with Severus too.
I wonder if he'll find out about what happened. I think he might. He should. He was there obviously only to see if Avrille was alright. He didn't have any other business, which was what I expected, and I'm glad he met my expectations. Severus has never been one to sit idly by. I was glad that Avrille reprimanded herself and realized how naive she was being. Sometimes I forget that she's younger than Severus. That she has lived a sheltered life and is a very proper woman. Of course she wouldn't follow her gut to leave the situation because she didnít want to be rude. I think that's a big weakness with her. Of course we all have our weaknesses but I think she needs to realize that you can't and shouldn't have to please everyone.
Author's Response: Well, only having like a couple one-minute conversations with the guy, you can't blame Avrille for still thinking he's kind of hot. Hey, I'M constantly drooling over Jason Isaacs in the movies, before remembering myself and yelling at the screen like a lunatic, "NO! ALAN RICKMAN, I LOVE YOU!" (though, of course, he's not "my" Severus...)
I know I wrote the whole thing, but I wanted to smack Avrille myself for not leaving right away. But I have to remember that even when I was younger than her, I had a much better understanding of how dangerous the world is. She spent half of her life shut away at home being taught by her mom, then the rest of the time completely surrounded by women at school. Yeah, she's not a total idiot and knew not to drink something a virtual stranger gave her, but the thought just never crossed her mind that, "Hey, I can become a victim in this situation." She just assumed being so close to Hogwarts, one of the safest places in the world, nothing like that could happen.
Oh man, I loved writing that scene where she kicks the bejeezus out of him. I guess I wanted to show that even strong women become victims sometimes, but it's up to them whether or not they stay that way. I also wanted to make sort of a contrast between her weakness here at the beginning of the story and her role as a hero (you'll see!) at the end.
Don't worry too much about Lucius. Remember first and foremost, he's a coward. He lied and bribed his way out of Azkaban instead of being the dutiful Death Eater like Bellatrix and company. That's not to say that something like that won't happen in the future to Avrille, but it will be coming from another direction (and I haven't actually written it yet. Sequel fodder!)
It's funny how when I first started writing this story, I was actually younger than Avrille, so she seemed kind of grown-up to me. Now I'm several years older than her, so looking back I see more of her immaturity than I did at the time. It's weird how your perceptions of your own characters change. She definitely has a double weakness in this situation because she's always been desperate to please to distract people from her magical difficulties, and she also honestly believed Lucius was a friend of Severus's, so she didn't want to offend Severus unintentionally by blowing off his "mate." Well, now she knows better, right? Oh, and thanks so much for catching that missing word! Yeah, it was just "was." I think I *might* have noticed that in my original document, but maybe not. I'll definitely go check.
Hmm, I don't know I have any time to get any writing done now, but it was definitely fun to sit here and "chat" with you :) You're starting to get into some of my absolute favorite chapters, so I'm dying to hear your thoughts on them. I'm hoping in the end you like the story enough to try out the sequel, but certainly not expecting it because both stories as very long and a huge time commitment. But since I'm obviously working on the sequel now (um, in theory) having the insights of insanely perceptive, amazing readers like you is truly invaluable. I really can't thank you enough for your reviews. They totally lift my spirits up to the sky! If bedtime for the munchkin goes alright tonight, I am absolutely heading over to your page to read that Dudley story finally! ~Renny |
... can be used to assess whether monozygotic/identical (MZ) twins are treated more similarly by their parents than dizygotic/non-identical (DZ) twins. If MZs are in fact treated more similarly, ... / more
... can be used to assess whether monozygotic/identical (MZ) twins are treated more similarly by their parents than dizygotic/non-identical (DZ) twins. If MZs are in fact treated more similarly, ... / more
Here you can search the entire InMind magazine for any content of your choice. You can reduce your search results by selecting one or more filter options in the right column. |
Specific retrograde transport of nerve growth factor (NGF) from neocortex to nucleus basalis in the rat.
[125I]labeled NGF injected in very small quantities into the frontal or dorsal anterior occipital cortex of adult rats, was specifically taken up and transported retrogradely to large, presumably cholinergic neurons in the nucleus basalis region (lateral preoptic nucleus, anterior lateral hypothalamic nucleus, substantia innominata, ventral globus pallidus and internal capsule), as revealed by light microscopic autoradiography. Cells projecting to the injection site in the frontal cortex were localized ipsilaterally in the more caudal parts of the nucleus basalis region, whereas cells projecting to the dorsal anterior occipital cortex could be found throughout the entire extent of the nucleus basalis and also in the vertical and horizontal limb of the nucleus of the diagonal band of Broca. Other nuclei known to project to the cortex (locus coeruleus, substantia nigra, nucleus raphe, thalamus) were consistently found to be unlabeled. In contrast to [125I]NGF, injection of [125I]cytochrome C failed to label any cell bodies in the basal forebrain nuclei by retrograde transport. This high selectivity for uptake and retrograde transport of NGF indicates the presence of membrane receptors for NGF or a closely related molecule on these cholinergic neurons of the basal forebrain innervating the cerebral cortex. |
Phase-change memories include phase-change materials that exhibit at least two different states. Phase-change material may be used in a memory cell to store a bit of data. The states of phase-change material may be referenced to as amorphous and crystalline states. The states may be distinguished because the amorphous state generally exhibits higher resistivity than does the crystalline state. Generally, the amorphous state involves a more disordered atomic structure, while the crystalline state is an ordered lattice.
Phase change in the phase-change materials may be induced reversibly. In this way, the memory may change from the amorphous state to the crystalline state, and vice versa, in response to temperature changes. The temperature changes to the phase-change material may be achieved in a variety of ways. For example, a laser can be directed to the phase-change material, current may be driven through the phase-change material, or current or voltage can be fed through a resistive heater adjacent the phase change material. With any of these methods, controllable heating of the phase-change material causes controllable phase change within the phase change-material.
When a phase-change memory comprises a memory array having a plurality of memory cells that are made of phase-change material, the memory may be programmed to store data utilizing the memory states of the phase-change material. One way to read and write data in such a phase-change memory device is to control a current and/or voltage pulse that is applied to the phase-change material. The level of current and voltage generally corresponds to the temperature induced within the phase-change material in each memory cell. To minimize the amount of power that is used in each memory cell, the size of the electrical contact for the phase-change material of the memory cell should be minimized. |
require 'spec_helper'
describe SocialStream do
it "should be valid" do
SocialStream.should be_a(Module)
end
end |
The dissociated form of kappa-casein is the precursor to its amyloid fibril formation.
Bovine milk kappa-casein forms a self-associating oligomeric micelle-like species, in equilibrium with dissociated forms. In its native form, intra- and inter-molecular disulfide bonds lead to the formation of multimeric species ranging from monomers to decamers. When incubated under conditions of physiological pH and temperature, both reduced and non-reduced kappa-casein form highly structured beta-sheet amyloid fibrils. We investigated whether the precursor to kappa-casein fibril formation is a dissociated state of the protein or its oligomeric micelle-like form. We show that reduced kappa-casein is capable of forming fibrils well below its critical micelle concentration, i.e. at concentrations where only dissociated forms of the protein are present. Moreover, by regulating the degree of disulfide linkages, we were able to investigate how oligomerization of kappa-casein influences its propensity for fibril formation under conditions of physiological pH and temperature. Thus, using fractions containing different proportions of multimeric species, we demonstrate that the propensity of the disulfide-linked multimers to form fibrils is inversely related to their size, with monomeric kappa-casein being the most aggregation prone. We conclude that dissociated forms of kappa-casein are the amyloidogenic precursors to fibril formation rather than oligomeric micelle-like species. The results highlight the role of oligomerization and natural binding partners in preventing amyloid fibril formation by disease-related proteins in vivo. |
Algae may not be that sharp, but they know a bright spot when they find one. Certain species of microalgae exhibit behavior known as phototaxis, in which they swim preferentially in the direction of a light source. New experiments described in Physical Review Letters show that these microswimmers will concentrate toward the center of a flow pipe when a light is placed upstream. The results could help control algae used in biofuel production and pollution sensors.
Phototaxis is one of several environmental responses observed in small swimming organisms. Certain bacteria, such as E. coli, move towards higher concentrations of oxygen, and some algae and other microbes swim vertically by sensing gravity. Experiments in the 1980s, for example, found that gravity-sensitive algae placed in downward-flowing water will migrate to the central axis of the flow.
Xabel Garcia and colleagues from the University Joseph Fourier in Grenoble, France, have explored similar collective behavior in phototactic swimmers, specifically Chlamydomonas reinhardtii. These green algae are spheroidal, unicellular organisms with two flagella that perform a jerky breast stroke. When their light-sensitive eyespot is exposed to light, one flagellum beats faster than the other, causing the organism to swim towards the light source. The research team placed these algae in water flowing from right to left through a square pipe. When a light was placed on the right side (upstream), the swimmers orientated themselves toward the source, but—due to the nonuniform flow dragging them along–the net motion was directed towards the central axis of the pipe. In a biohydrogen facility, where algae expel hydrogen gas during photosynthesis, the observed self-focusing behavior could help prevent the organisms from clinging to walls, while also facilitating the gas separation process. – Michael Schirber |
module PaypalService::Store::Token
PaypalTokenModel = ::PaypalToken
module Entity
Token = EntityUtils.define_builder(
[:community_id, :mandatory, :fixnum],
[:token, :string, :mandatory],
[:transaction_id, :fixnum, :mandatory],
[:payment_action, :to_symbol, default: :order, one_of: [:order, :authorization]],
[:merchant_id, :string, :mandatory],
[:receiver_id, :string, :mandatory],
[:item_name, :string],
[:item_quantity, :fixnum],
[:item_price, :money],
[:shipping_total, :money],
[:express_checkout_url, :string, :mandatory]
)
module_function
def from_model(model)
Token.call(
EntityUtils.model_to_hash(model).merge({
item_price: model.item_price,
shipping_total: model.shipping_total
}))
end
end
module_function
def create(opts)
pt_opts = {
community_id: opts[:community_id],
token: opts[:token],
transaction_id: opts[:transaction_id],
payment_action: opts[:payment_action],
merchant_id: opts[:merchant_id],
receiver_id: opts[:receiver_id],
item_name: opts[:item_name],
item_quantity: opts[:item_quantity],
item_price: opts[:item_price],
express_checkout_url: opts[:express_checkout_url]
}
pt_opts[:shipping_total] = opts[:shipping_total] if opts[:shipping_total]
PaypalTokenModel.create!(pt_opts)
end
def delete(community_id, transaction_id)
PaypalTokenModel.where(community_id: community_id, transaction_id: transaction_id).destroy_all
end
def get(community_id, token)
Maybe(PaypalTokenModel.where(token: token, community_id: community_id).first)
.map { |model| Entity.from_model(model) }
.or_else(nil)
end
def get_for_transaction(community_id, transaction_id)
Maybe(PaypalTokenModel.where(community_id: community_id, transaction_id: transaction_id).first)
.map { |model| Entity.from_model(model) }
.or_else(nil)
end
def get_all
PaypalToken.all
end
end
|
Electric motors are used in a wide variety of applications involving power tools such as drills, saws, sanding and grinding devices, yard tools such as edgers and trimmers, just to name a few such tools. These devices all make use of electric motors having an armature and a stator. The armature is typically formed from a lamination stack around which a plurality of windings of magnet wires are wound. The magnet wires are coupled at their ends to tangs on a commutator disposed on an armature shaft extending coaxially through the lamination stack. The ends of the magnet wires are secured to the commutator.
In the manufacturing process for the armature described above, once the magnet wires have been secured to the commutator, a “trickle” resin is applied over the magnet wires and over the ends of the magnet wires where they attach to tangs associated with the commutator. The process of applying the trickle resin is a somewhat difficult process to manage to obtain consistent results. It also has a number of drawbacks, not the least of which is the cost and difficulty of performing it with reliable, consistent results.
Initially, the trickle process requires the use of a relatively large and expensive oven to carefully preheat the partially assembled armatures to relatively precise temperatures before the trickle resin can be applied. The temperature of the trickle resin also needs to be carefully controlled to achieve satisfactory flow of the resin through the slots in the lamination stack of the armature. It has proven to be extremely difficult to achieve consistent, complete flow of the trickle resin through the slots in the lamination stack. As such, it is difficult to achieve good flow inbetween the magnet wires with the trickle resin to satisfactorily insulate the magnet wires from one another and hold them stationary relative to each other. A cooling period must then be allowed during which air is typically forced over the armatures to cool them before the next manufacturing step is taken. Further complicating the manufacturing process is that the trickle resin typically has a short shelf life, and therefore must be used within a relatively short period of time.
With present day manufacturing techniques, an additional or secondary coating of a higher viscosity trickle resin is often required to protect the armature (and specifically the magnet wires) from abrasive metal particles that are drawn in and over the armature by the armature's fan when the armature is used in connection with various grinders and sanders. This serves to further increase the manufacturing cost and complexity of the armature.
Still another drawback with the trickle process is the relatively high number of armatures which are often rejected because of problems encountered during the process of applying the trickle resin to an otherwise properly constructed armature. Such problems can include contamination of the commutator of the armature by the trickle resin during the application process, as well as uneven flow of the trickle resin if the pump supplying the resin becomes momentarily clogged. Accordingly, the difficulty in controlling the trickle resin application process produces a relatively large scrap rate which further adds to the manufacturing cost of electric motors.
Still another disadvantage with present day electric motors is that the fan which is typically attached at one end of the armature is a separately formed component which must be glued or otherwise secured to the armature in a separate manufacturing step. This fan also is typically the first component to fail if the motor is stressed. This occurs when the fan simply melts due to overheating of the motor. The use of a separately formed component also takes up additional space on the armature which increases the overall size of the armature.
In view of the foregoing, it would be highly desirable to eliminate the steps of applying the trickle resin and securing a separately formed fan to an armature. More specifically, it would be highly desirable if these two steps could be replaced by a single step which achieves the object of more thoroughly coating the magnet wires of the armature with a thermally conductive material, in addition to forming an integrally formed fan, all with a single manufacturing step. |
Gene transfer into supporting cells of the organ of Corti.
To utilize the rapidly accumulating genetic information for developing new therapeutic technologies for inner ear disease, it is necessary to design technologies for expressing transgenes in the inner ear, especially in the organ of Corti. We examined the outcome of an adenovirus gene transfer into the organ of Corti via the scala media in guinea pigs. The transgene insert is the bacterial lacZ gene driven by a cytomegalovirus promoter. We demonstrate that the inoculation is detrimental to the hair cells that surround the site of inoculation, but the supporting cells in the organ of Corti survive and retain the ability to express the reporter transgene beta-gal. The ability to deliver transgenes that are expressed in the supporting cells is an important step in the development of clinically applicable treatments that involve hair cell regeneration. |
Q:
inside mechanism of geospatial indexing in mongodb
Anyone knows how the geospatial indexing works, i mean the algorithm to calculate nearest points?
In SQL we may do things like this:
SELECT id, (x-a)*(x-a)+(y-b)*(y-b) as distance FROM table1 ORDER by distance ASC
Sure this is not efficient enough compared with mongodb's geospatial indexing, but how does mongodb calculate and sort?
Many thanks in advance.
A:
Heart of mongodb geospatial is Geohashes. Geohash is a
Hierarchical spatial data structure which subdivides space into
buckets of grid shape.
I couldn't find the appropriate links for the geohash implementations in mongo, but this thread might give some insights.
A:
from the 10gen site:
The current implementation encodes geographic hash codes atop standard
MongoDB B-trees. Results of $near queries are exact. One limitation
with this encoding, while fast, is that prefix lookups don't give
exact results, especially around bit flip areas. MongoDB solves this
by doing a grid-neighbor search after the initial prefix scan to pick
up any straggler points. This generally ensures that performance
remains very high while providing correct results.
|
Land near Classic Club was always meant for development |
The front warned of El-Sawy becoming a cultural censor for the Muslim Brotherhood and accused him of trying to gain favours with the government, implying that he had done it before to gain access to public property: the Culturewheel’s location in Zamalek. |
public class MultipleUnions {
public static boolean flag = false;
void foo1(MyInterface<Throwable> param) throws Throwable {
try {
bar();
} catch (MyExceptionA | MyExceptionB ex1) {
try {
bar();
} catch (SubMyExceptionA | MyExceptionB ex2) {
Throwable t = flag ? ex1 : ex2;
typeVar(ex1, ex1);
typeVar(ex2, ex2);
// See UnionCrash for version that crashes
// typeVar(ex1, ex2);
}
}
}
<T extends Cloneable & MyInterface<String>> void typeVarIntersection(T param) {}
<T extends Throwable> void typeVar(T param, T param2) {}
<T extends Throwable> void typeVarWildcard(T param, MyInterface<? extends T> myInterface) {}
<T extends Throwable> void typeVarWildcard2(T param, MyInterface<? super T> myInterface) {}
void bar() throws MyExceptionA, MyExceptionB {}
interface MyInterface<T> {}
class MyExceptionA extends Throwable implements Cloneable, MyInterface<String> {}
class MyExceptionB extends Throwable implements Cloneable, MyInterface<String> {}
class SubMyExceptionA extends MyExceptionA {}
}
|
Many avoidable deaths occur each year when water vessels sink and passengers drown. Additionally, many people are reluctant to travel by water due to the actual or perceived concerns over the safety of the water vessel that they would be travelling on. Further, many water vessels have outdated or less than adequate safety devices due to cost and difficulty of maintenance and installation.
One present water safety method requires a water vessel to possess one flotation device per passenger. If a water vessel begins to sink, each passenger must then find a flotation device, which can be difficult in such a high stress situation. Furthermore, many water vessels do not actually possess the proper amounts of flotation devices due to the cost and storage space required.
Another present water safety method consists of a water vessel possessing enough inflatable rafts to support all of the passengers on the water vessel. This method requires less storage space than other methods, but does not alleviate the difficulties in readying the flotation devices in high stress situations. These devices must be inflated by a pump, an air compressor, or similar device. Some devices can be inflated instantly with compressed air devices, but some knowledge of how to use the device is required.
These techniques work, but are burdensome and not efficient. A solution that does not require passengers to know how to use it is needed. Additionally, a solution that alleviates storage, maintenance, and cost concerns is needed. There is also need for a water safety device that works in response to emergency situations as opposed to working in response to human being's reaction to emergency situations. |
Story highlights Clinton will appear in the city on Wednesday to talk about Trump's temperament
Clinton has previously attacked Trump's business record
Washington (CNN) Hillary Clinton is heading to Atlantic City, New Jersey, the site of some of Donald Trump's most high-profile business dealings -- and setbacks -- to hit the presumptive Republican nominee over his business past.
Clinton will appear in the city on Wednesday to talk about Trump's temperament, a Clinton campaign official said. The presumptive Democratic nominee will discuss Trump's business record in the gambling mecca, including controversial casino bankruptcies.
The campaign official said the trip will "highlight Trump's now familiar pattern: Trump restructured his debts, padding his own pockets, while investors, contractors, and working people bore the brunt."
Clinton has previously attacked Trump's business record, most vividly in Detroit in late May.
"He could bankrupt America like he has bankrupted his companies," Clinton said then. "I mean ask yourself, how could anybody lose money running a casino? Really?"
Read More |
Rodent immunohistochemistry: pitfalls and troubleshooting.
Immunohistochemistry (IHC) is a common adjunct in pathology for morphologic diagnosis, research pathology, and studying the pathogenesis of the disease. Proper technique and interpretation of an immunohistochemistry assay is of utmost importance. A variety of problems, including the presence of artifacts (nonspecific background or other staining problems) and the differentiation between nonspecific and specific staining, commonly occur. It is essential that antibody quality and IHC technique be optimized. We review the histologic patterns of specific and nonspecific staining after using IHC techniques, as well as basic troubleshooting procedures, and provide some examples of nonspecific staining and other artifacts especially in formalin-fixed, paraffin-embedded tissues (FFPE) of mice. |
Enhanced natural killer cell activity by proglumetacin, a non-steroidal anti-inflammatory drug.
In this paper we show the stimulatory effect of a new indolyl derivative drug, proglumetacin, alone and in combination with some cytokines, on natural killer cell activity. |
Q:
Closure definition on intuitions
By definition, closure of a subset of a topological space is the set of all the points whose neighborhood contains a point in the subset.On intuitions,is that means the closure of the subset is a set which is a little 'larger' than the subset?
A:
The closure of $A$ is the smallest closed set "above" $A$. So, out of all closed sets $C$ with $A \subseteq C$, $\overline{A}$ is always within $C$. As a consequence, if $A$ is already closed it follows that $A = \overline{A}$.
There is a complete duality with interiors: the interior of $A$ is the largest open set underneath $A$. Given any set $A$ in a space $X$, the chain
$$
A^\circ \subseteq A \subseteq \overline{A}
$$
has $A^\circ$ as the best open set approximation to $A$, while $\overline{A}$ is the best closed set approximation to $A$.
|
I wish you good luck on the organization. I was standing with a Commander Shepard last year and he was baking in his thick armour for a long time not doing anything in the sun. I hope this year will more fun~
I'm going to have a Dangan Ronpa group either Friday or Sunday - Not entirely sure which characters we have/how many people in the group yet, though. We'll drop by if we're wearing it on the same day as the shoot ~ |
Sarah Carlson, the Artistic Director of DanceLink, teams up with composer Vernon J. Mobley to explore the spectrum of trauma in a program inspired by Bessel van der Kolk's well-known text of the same name.
“The Body Keeps the Score” will use movement, music and text to unpack the idea that trauma must be addressed on an individual body level first before greater communal (or “big body”) change can follow. “The impact of trauma affects the lives of so many of us,” states Carlson. “It interrupts our ability to be present, to function and most tragically, to connect authentically with others. Most of us aren’t even aware of how traumatic residue is affecting our lives.”
Carlson and Mobley previously worked together on “What Lies Within”, a project about racial injustice, and hence they are particularly interested in the cycle of trauma caused by oppression. “Trauma caused by oppression is the most insidious,” muses Mobley. “Belittlement or abuse at the hands of another is never justified, but when you consider the perpetrator can often be acting out from a foundation of trauma sometimes generations in the making, it makes you think.”
A panel discussion led by Rebecca Glassman, a Direct Services Supervisor for the Crime Victims Council of the Lehigh Valley, will be held following the Saturday matinee performance to discuss the major themes of the show and promote awareness of community resources. |
Q:
Python and "re"
A tutorial I have on Regex in python explains how to use the re module in python, I wanted to grab the URL out of an A tag so knowing Regex I wrote the correct expression and tested it in my regex testing app of choice and ensured it worked. When placed into python it failed.
After much head scratching I found out the issue, it automatically expects your pattern to be at the start of the string. I have found a fix but I would like to know how to change:
regex = ".*(a_regex_of_pure_awesomeness)"
into
regex = "a_regex_of_pure_awesomeness"
Okay, it's a standard URL regex but I wanted to avoid any potential confusion about what I wanted to get rid of and possibly pretend to be funny.
A:
In Python, there's a distinction between "match" and "search"; match only looks for the pattern at the start of the string, and search looks for the pattern starting at any location within the string.
Python regex docs
Matching vs searching
A:
from BeautifulSoup import BeautifulSoup
soup = BeautifulSoup(your_html)
for a in soup.findAll('a', href=True):
# do something with `a` w/ href attribute
print a['href']
A:
>>> import re
>>> pattern = re.compile("url")
>>> string = " url"
>>> pattern.match(string)
>>> pattern.search(string)
<_sre.SRE_Match object at 0xb7f7a6e8>
|
WATCH: Pedro Almodovar Returns With “I’m So Excited”
Sony Pictures Classics has secured the American rights to I’m So Excited, the newest movie from Pedro Almodovar. Described by the out director as “a light, very light comedy,” Excited takes place entirely on a plane and stars Javier Cámara, Cecilia Roth, Lola Dueñas and Raúl Arévalo—with Almodovar favorites Antonio Banderas, Penélope Cruz, and Paz Vega making appearances.
We don’t have much detail on the plot, though the Spanish title is Los Amantes Pasajeros, which can mean either “The fleeting lovers” or “The passenger lovers.” Either way, we’re sure someone is joining the Mile High Club. |
Five Tips on How to Study More Efficiently
Every student dreads upcoming exams. Grades are very important and studying doesn’t always come naturally. If you’re struggling to effectively study for a test, or are looking for ways on how to make your study sessions more productive, then try some of these tips!
Highlighters Are Your Best Friend
That’s right, grab a packet of highlighters and get ready to make your notes colourful! Whenever there is a key quote, mathematical formula, or important concept, highlight it! Write it out larger and then make it seem even more important with some colour. You can even use your colours to help your memory: for example, use a different colour for different subjects, or only use your favourite colour for the most important concepts.
Practice Makes Perfect
Almost every exam you take will have previous versions available to you, or another form of a mock exam for you to use as practice. The most recent tests are the most valuable, but find as many as you can to practice on. Set yourself up in the expected exam environment and then give it a go. This will help you to identify areas that you excel at, and the areas that you need to brush up on.
Schedule in Breaks
Nobody can sit still for hours on end and memorise their notes because our brains simply can’t handle that. You are much better off to schedule in regular breaks where you stand up from your desk and go and do something else. Drink some water, have a snack, stretch your muscles, and take your mind off studying. Just make sure that you are ready to go back to the books in five or ten minutes and won’t end up on social media for the rest of the day!
The Time and the Place
Most people can classify themselves as either a morning person or a night owl. Find out when your brain works the best and plan to study during those times of the day. It won’t always be possible though, because of classes or other commitments, but try your best. Also don’t forget to have a particular study area so you can concentrate. If you often find yourself staring out the window daydreaming, then face your desk against the wall. No doubt your cell phone is a great distraction, so turn it off so you can focus on your notes. Give yourself the best chance at success.
Sleep is Important
Not only is sleep important to having a healthy lifestyle in general, but it is especially important around exam time. Do not stay up all night trying to cram all of your notes into your head, because that technique never works. Make sure you go to bed early, in case you can’t sleep right away because of nerves, and do whatever it takes to ensure that you are well-rested come the morning of the exam. If you are tired and yawning while studying, let alone trying to take a test, you’re lessening your chances at achieving a good score.
Studying and passing exams can be a difficult task, but the suggestions above are ways that you can set yourself up for success. Once you figure out your method to studying, stick to it, and don’t give up. Good luck for your exams! |
Simple chemiluminescent detector for the screening of foodstuffs for the presence of volatile nitrosamines.
The construction and subsequent evaluation of an apparatus for the detection of trace amounts of nitrosamines is described. The apparatus consists of a gas chromatograph, a catalytic chamber to generate nitric oxide from eluted nitrosamines, and a chemiluminescent detector to measure the infra-red emission resulting from interaction of this gas with ozone. Examples of the use of the system for determining the nitrosamine concentration in food extracts and other materials are given. |
Comments
Jackie just got a new laptop, and you bet nuking it and reloading it with a clean copy of Windows was the first thing that I did. The desktop was packed with all sorts of useless utilities, helper bars for slow people who can't figure out the start menu and all manner of rubbish.
Lenovo's built in restore partition lets you reinstall without any of the crap that comes by default. I used that when I got this laptop to reinstall vista business...I'm not sure if it's still an option, but it may be an easier solution than having to download/burn/reinstall.
Great advice, would be interesting to see some sort of comparisson also on which laptops are the best and which are the worst in this regard. In my experience it doesn't get any worse than Sony when it comes to preloaded nonsense. |
require File.expand_path('../helper', __FILE__)
begin
require 'radius'
class RadiusTest < Minitest::Test
def radius_app(&block)
mock_app do
set :views, __dir__ + '/views'
get('/', &block)
end
get '/'
end
it 'renders inline radius strings' do
radius_app { radius '<h1>Hiya</h1>' }
assert ok?
assert_equal "<h1>Hiya</h1>", body
end
it 'renders .radius files in views path' do
radius_app { radius :hello }
assert ok?
assert_equal "<h1>Hello From Radius</h1>\n", body
end
it "renders with inline layouts" do
mock_app do
layout { "<h1>THIS. IS. <r:yield /></h1>" }
get('/') { radius '<EM>SPARTA</EM>' }
end
get '/'
assert ok?
assert_equal "<h1>THIS. IS. <EM>SPARTA</EM></h1>", body
end
it "renders with file layouts" do
radius_app { radius 'Hello World', :layout => :layout2 }
assert ok?
assert_equal "<h1>Radius Layout!</h1>\n<p>Hello World</p>\n", body
end
it "raises error if template not found" do
mock_app { get('/') { radius :no_such_template } }
assert_raises(Errno::ENOENT) { get('/') }
end
it "allows passing locals" do
radius_app {
radius '<r:value />', :locals => { :value => 'foo' }
}
assert ok?
assert_equal 'foo', body
end
end
rescue LoadError
warn "#{$!}: skipping radius tests"
end
|
China to Meet with Lighthizer Friday
China’s President will meet with U.S. trade leaders Friday as the U.S. and China seek a trade deal before an early March deadline. The South China Morning Post reports China’s President Xi Jinping is scheduled to meet with a U.S. trade delegation in Beijing, which includes U.S. Trade Representative Robert Lighthizer.
China and the U.S. face an early March deadline set by the Trump administration to reach an agreement that could end the tit-for-tat trade war between the two nations. However, President Trump said this week he is open to extending the deadline, saying he could let the deadline “slide for a little while.” Trump is expected to meet with China’s President sometime in March in what some say could be a move to close an agreement between China and the United States.
The trade war served a blow to U.S. agriculture as China slapped retaliatory tariffs on U.S. farm commodities, most notably, soybeans and pork. |
Last Blog Posts
Self-Gratitude
Gratitude for self creates clarity within because appreciating who you are means you know who you are and the value you add to life. Then, it becomes easy to recognize the profound impact your life has on others.
Practice having gratitude for yourself. Look for personal accomplishments and achievements that you may have been dismissing.
Testimonials
I attended one of Christi’s classes at Anahata Yoga and Wellness Center. She made me aware of issues I was carrying from childhood, helped me understand them and in turn let them go. It changed my life and I immediately felt a weight lifted. She did it in a fun and loving group setting and I am very thankful for her help. I would highly recommend working with Christi, she is amazing!
Joan
Harleysville, PA
Prior to being invited by a friend to attend The Night of Unearthing class, the extent of my self examination or work on myself, was limited to personal therapy sessions, motivational books and seminars. I was skeptical but simply figured that I had nothing to lose other than a few hours of time and it was something different. Different had helped me in the past, so why not?
All I had was an inquisitive desire to try different things to improve my happiness and quality of life.
Right away Christi made me feel very comfortable. The intimate small group setting promoted an environment that set me at ease to relax and take in what was going on without pressure. The benefits I have received from attending this class each month have been immediate, ever expanding and perpetual.
This class is about self awareness, in seeing yourself and others in a more accurate light; having a better understanding of why we feel and react a certain way on important subjects such as family, friends, work and finances.
There is a Chinese proverb that says, “Give a man a fish and you feed him for a day. Teach a man to fish and you feed him for a lifetime.” Not only does Christi provide you with the teaching and tools to fish forever, she provides you with a spotlight to see the fish.
The quality of life I enjoy today personally, physically, mentally and financially has improved dramatically in the past year since participating in this class. I can say without hesitation that this class is one of the biggest contributing factors.
Seth Diener
Newtown, PA
I have always been committed to self healing and your assistance has enabled me to advance quicker than I would have on my own. The quantum leaps are eternally appreciated! Time is precious and I can see and feel my true light getting brighter and brighter!
Nicole
Licensed Therapist | Warrington, PA
I view myself and people, as ships. If we get a hole and are in need of repair. We can just shut that iron safety door and keep the problem in one compartment, and keep the ship from sinking. If too many compartments flood. If too many doors shut. We sink. You have helped me open doors. You have helped me to create new thinking patterns. I recommend you because I know you will do the same for all who come.
Jay
Newtown, PA
Through the years, I have been assisting people in their personal healing. When it comes to my own self-healing there are times that life just seems to stand still, and my answers are not revealed. In Christi’s terminology “I am unable to detect my own blindspots.” Through Christi’s unique way of connecting to my soul, she is always able to give me clarity by bringing my truth forward whether it be by presenting my past, present & future which helps me understand where I want to be in the now.Thank you, Christi, for being the beautiful, shining light that get’s me back on the patch that was intended for me from the beginning. Much Love, XO |
Q:
Working of `useState` function inside `useEffect` function
I am trying to use useState inside useEffect. I want to access and modify a state inside it( useEffect ), here named as isAuth and according to the new state render the component.
import React, { useState, useEffect } from 'react';
const Authentication = () => {
const [isAuth, setIsAuth] = useState(false);
useEffect(() => {
console.log(isAuth);
setIsAuth(true);
console.log(isAuth);
}, [isAuth]);
return <div>{isAuth ? <p>True</p> : <p>False</p>}</div>;
};
export default Authentication;
The thing is in console I am getting false, false, true, true.Instead of this console, I expected the 2nd console message to be true. Can someone explain it how it happens and how do I actually change the state before component renders?
A:
setIsAuth doesn't cause the local variableisAuth to change its value. const's can't change their value, and even if you defined it as let, that's not what setting state does. Instead, when you set state, the component rerenders. On that new render, the call to useState will return the new value, and you can use that new value for the new render.
|
Now I'm trying desperately to grow long hair before school starts in august.
And by the way, I do mean long, not a beatles mop that most seem to think as long nowadays
"Our posturings, our imagined self-importance,
the delusion that we have some privileged position in the universe,
are challenged by this point of pale light.
Our planet is a lonely speck in the great enveloping cosmic dark.
In our obscurity – in all this vastness – there is no hint that help will come from elsewhere to save us from ourselves."
- Carl Sagan
The first one is normal, the second is just some photoshop filters, but they changed the colors of the overall picture, so probably changed the eyes? The baby is just a scan, and the fourth one is normal.
Quote:
Now I'm trying desperately to grow long hair before school starts in august.
And by the way, I do mean long, not a beatles mop that most seem to think as long nowadays
I'm planning on growing my hair out too this summer, to about the length it was in the in my todler picture, I'm interested to see if it's going to curl again
Quote:
Originally Posted by Tyrion
MrWally eats fresh babies in order to maintain his unnatural level of talent.
Rhett, my god you're hawt. You are the one with the suit and the humongous book, right?
>_>
<_<
... Right?
"Our posturings, our imagined self-importance,
the delusion that we have some privileged position in the universe,
are challenged by this point of pale light.
Our planet is a lonely speck in the great enveloping cosmic dark.
In our obscurity – in all this vastness – there is no hint that help will come from elsewhere to save us from ourselves."
- Carl Sagan |
Selection against inbred song sparrows during a natural population bottleneck.
The genetic and demographic consequences of population subdivision have received considerable attention from conservation biologists. In particular, losses of genetic variability and reduced viability and fecundity due to inbreeding (inbreeding depression) are of concern. Studies of domestic, laboratory and zoo populations have shown inbreeding depression in a variety of traits related to fitness. Consequently, inbreeding depression is widely accepted as a fact. Recently, however, the relative impact of inbreeding on the viability of natural populations has been questioned. Work on the cheetah (Acinonyx jubatus), for example, has emphasized the overwhelming importance of environmental factors on mortality in the wild. Here we report that song sparrows (Melospiza melodia) that survived a severe population bottleneck were a non-random subset of the pre-crash population with respect to inbreeding, and that natural selection favoured outbred individuals. Thus, inbreeding depression was expressed in the face of an environmental challenge. Such challenges are also likely to be faced by inbred populations of endangered species. We suggest that environmental and genetic effects on survival may interact and, as a consequence, that their effects on individuals and populations should not be considered independently. |
Q:
Why doesn't the extra electron in n type semiconductor due to doping by a pentavalent impurity create a hole?
Isn't the pentavalent impurity atom positively charged and attracting the electron?
On receiving the energy why doesn't the electron create a hole in the valence band as it moves to the conduction band? Is it because it is not in a covalent bond? But then also it is leaving a place which can create a hole.
A:
To answer your first question, the pentavalent dopant atom would have a net positive charge - however this is mostly screened by the rest of the lattice. As a result the electron is very weakly attracted to it, and it is very easy to excite this electron to the conduction band. The energy level of the dopant is much closer to that of the conduction band than the valence band.
This is also why it doesn't create a hole in the valence band; because that electron did not come from the valence band. It stays in the dopant energy level within the band gap.
|
From TMZ: Fernando Flores, a former bodyguard for Britney Spears, filed a lawsuit in Los Angeles yesterday. The charge? Sexual harassment. According to the suit, Spears made repeated (and apparently highly unwanted) sexual advances toward Flores during his employ at Advanced Security Concepts Corp., an agency hired by Spears, between February and July of this year. Among Flores' claims is that Spears exposed herself to him numerous times during his tenure as her bodyguard, including summoning him to her bedroom while she was naked.
As one portion of the suit details, "[Spears] was wearing a white-lace, see-through dress. She walked over close by [Flores], intentionally dropped her cigarette lighter on the floor, bent over to retrieve it, and thereby exposed her uncovered genitals to [Flores]. The incident caused [Flores] shock and disgust."
Flores also alleges Spears once "loudly [had] sexual relations" in a hotel room occupied by her young sons, and that Spears once borrowed Flores' belt to "savagely hit" her younger boy, Preston. On another occasion, says Flores, Spears fed crab meat to her children—both of whom have seafood allergies—until they vomited, then prevented them from being given medical care. The suit is seeking damages for Flores' emotional distress. Advanced Security is also being sued. Neither the company nor Spears' camp has yet responded to the charges. |
Hemorrhage from a previously undemonstrated intracranial aneurysm as a late complication of carotid artery ligation. Case report.
A case is reported in which the patient underwent ligation of the common carotid artery as treatment for a ruptured intracranial aneurysm. Nine years later a second subarachnoid hemorrhage occurred form a new or previously undemonstrated intracranial aneurysm. Recannulation of the ligated carotid artery was demonstrated by arteriography. Similar cases are cited from the literature. |
Time irreversibility in reversible shell models of turbulence.
Turbulent flows governed by the Navier-Stokes equations (NSE) generate an out-of-equilibrium time irreversible energy cascade from large to small scales. In the NSE, the energy transfer is due to the nonlinear terms that are formally symmetric under time reversal. As for the dissipative term: first, it explicitly breaks time reversibility; second, it produces a small-scale sink for the energy transfer that remains effective even in the limit of vanishing viscosity. As a result, it is not clear how to disentangle the time irreversibility originating from the non-equilibrium energy cascade from the explicit time-reversal symmetry breaking due to the viscous term. To this aim, in this paper we investigate the properties of the energy transfer in turbulent shell models by using a reversible viscous mechanism, avoiding any explicit breaking of the [Formula: see text] symmetry. We probe time irreversibility by studying the statistics of Lagrangian power, which is found to be asymmetric under time reversal also in the time-reversible model. This suggests that the turbulent dynamics converges to a strange attractor where time reversibility is spontaneously broken and whose properties are robust for what concerns purely inertial degrees of freedoms, as verified by the anomalous scaling behavior of the velocity structure functions. |
<RelativeLayout xmlns:android="http://schemas.android.com/apk/res/android"
android:id="@+id/RelativeLayout1"
android:layout_width="fill_parent"
android:layout_height="fill_parent" >
<LinearLayout
android:id="@+id/top_linear_layout"
android:layout_width="fill_parent"
android:layout_height="wrap_content"
android:layout_alignParentTop="true"
android:background="@android:color/darker_gray"
android:gravity="center_horizontal|center"
android:paddingBottom="8dp"
android:paddingTop="8dp" >
<CheckedTextView
android:id="@+id/text_opencl_platform"
android:layout_width="wrap_content"
android:layout_height="wrap_content"
android:text="@string/platform_checked_text"
android:textAppearance="@android:style/TextAppearance.DeviceDefault.Medium" />
<Spinner
android:id="@+id/spinner_platform_list"
android:layout_width="wrap_content"
android:layout_height="wrap_content"
android:gravity="center_vertical|center"
android:layout_toRightOf="@+id/text_opencl_platform" />
</LinearLayout>
<ScrollView
android:id="@+id/textAreaScroller_1"
android:layout_width="fill_parent"
android:layout_height="wrap_content"
android:layout_above="@+id/bottom_relative_layout"
android:layout_below="@+id/top_linear_layout"
android:scrollbarStyle="insideInset"
android:scrollbars="vertical"
style="@android:style/Widget.DeviceDefault.Light.ScrollView" >
<TextView
android:id="@+id/clpeak_result_textview"
android:layout_width="wrap_content"
android:layout_height="wrap_content"
android:textIsSelectable="true"
android:paddingBottom="8dp"
android:paddingTop="8dp"
android:textAppearance="?android:attr/textAppearance"
android:textColor="#25383C" />
</ScrollView>
<RelativeLayout
android:id="@+id/bottom_relative_layout"
android:layout_width="fill_parent"
android:layout_height="wrap_content"
android:layout_alignParentBottom="true"
android:background="@android:color/darker_gray"
android:gravity="center"
android:paddingLeft="50dp"
android:paddingRight="50dp"
android:paddingBottom="4dp"
android:paddingTop="4dp" >
<Button
android:id="@+id/run_button"
android:layout_width="match_parent"
android:layout_height="wrap_content"
android:layout_alignParentTop="true"
android:text="@string/run_button_text" />
</RelativeLayout>
</RelativeLayout>
|
The Mythical Astronomy of Ice and Fire
Old Crones
Hey there friends, patrons, youtube watchers and podcast subscribers, fellow myth heads all… my name is Lucifer means Lightbringer and I am here to shed light on yet another dark corner of ASOIAF lore. We are still following the trail of the Old Ones, who seem to be the same thing as the Green Men on the Isle of Faces, and we are doing this by pulling all the usages of the phrase “old one” and taking a look at the symbolic context on the scenes they occur in. We have worked through most of them, but not all, and one of the groups of old ones quotes I have reserved until now are the ones that apply to women!
That’s right, female Old Ones. Green women. Namely, Nissa Nissa – and Night’s Queen. Weirwood goddess figures, many of them, and many of them are women we covered in the Weirwood Goddess series, like the Ghost of High Heart or Cersei. So if you haven’t listened to the Weirwood Goddess series, I’d recommend that before this one. With that said, the weirwood goddess is quintessential to understanding what actually took place with Azor Ahai, Nissa Nissa, and the weirwoods, so I will give a quick summary an make sure it’s fresh in everyone’s minds.
It started with the weirwood stigmata discovery – the phenomena where dying people seem to turn into weirwood trees, with some combination of bloody hands, mouths, eyes, and hair appearing alongside other tree or face carving symbolism. The most vivid examples involve Nissa Nissa figures, especially Catelyn Stark. “Why are Nissa Nissa people turning into weirwood trees as they die or symbolically die,” I was forced to ask myself. The answer seemed obvious, yet profound – Nissa Nissa is going into the weirwoods when she dies, and in that way turning into a weirwood tree. We’ve since found men (usually Azor Ahai people) experiencing weirwood stigmata as well, and the message again seems to a symbolic absorption into the weirwoodnet.
However, further research has shown that with Nissa Nissa, this concept of becoming a weirwood tree goes farther. By looking at a whole bunch of Nissa Nissa figures, we found very consistent and overwhelming child of the forest symbols – dappled skin, child-woman descriptions, cat woman ideas as with Lady Catelyn and Cersei the Lioness, spear-maiden symbolism that is specifically drawn from the Meliai of Greek myth, who are dryads tied to the ash tree (and of course Yggdrasil is an Ash, making these Norse and Greek myths naturally compatible for Martin’s mythology mash-up writing technique).
So, we don’t know if Nissa Nissa was a full-blooded child of the forest, or a hybrid, or perhaps even a female of this theoretical, taller, green man race, but the message seems to be, broadly speaking, that she was an elf woman, one of the old races who was already tied to the weirwoods and to the forest in general. The picture that has emerged is that Azor Ahai killed her in a blood magic ritual to essentially force his way into the weirwoodnet, or you might say “harness its power.” He seems to have chosen Nissa Nissa specifically because of her connection to the weirwoods.
One final detail: the killing of Nissa Nissa and the dark magic that accompanied it seems to have permanently altered the weirwoodnet. The way I prefer to say it is that Nissa Nissa’s mind and soul and life essence became what we think of as the weirwoodnet, and that this act enabled Azor Ahai and human greenseers after him to enter the trees and see through their eyes. Don’t forget that Bloodraven describes seeing through the tree as essentially skinchanging the tree – the greenseer is invading the consciousness of the tree just as he is when he takes control of an animal or another human. I believe the evidence points to Nissa Nissa’s sacrifice being necessary to enable humans to skinchange the weirwoods at all, and that before this, it simply wasn’t done in the same way. I suspect the children and green men had a different way of bonding with the tree, though that’s a bit off topic. The point is that in scene after scene, Nissa Nissa seems to become the green sea herself when she dies. She becomes the weirwood tree – and that is the weirwood goddess theory.
When we see Nissa Nissa figures undergo the stigmata, like Catelyn’s death scene at the Red Wedding, they are depicting the moment of Nissa Nissa’s transformation. For example… Catleyn, following her bloody death, is thrown into the Green Fork of the Trident River, which gives us the idea of a green river and a river named after the weapon of a sea god, and this depicts Nissa Nissa’s spirit entering the “green see” of the weirwoodnet. Then next time we see her, she appears to us as the weirwood goddess figure:
The outlaws parted as she came forward, saying no word. When she lowered her hood, something tightened inside Merrett’s chest, and for a moment he could not breathe. No. No, I saw her die. She was dead for a day and night before they stripped her naked and threw her body in the river. Raymund opened her throat from ear to ear. She was dead. Her cloak and collar hid the gash his brother’s blade had made, but her face was even worse than he remembered. The flesh had gone pudding soft in the water and turned the color of curdled milk. Half her hair was gone and the rest had turned as white and brittle as a crone’s. Beneath her ravaged scalp, her face was shredded skin and black blood where she had raked herself with her nails. But her eyes were the most terrible thing. Her eyes saw him, and they hated. “She don’t speak,” said the big man in the yellow cloak. “You bloody bastards cut her throat too deep for that. But she remembers.”
She remembers. The north remembers. The trees remember. Nissa Nissa’s spirit… remembers. Like Nissa Nissa, Catelyn was the victim of foul murder, and her spirit has reason to seek vengeance and many wrongs to right. The spirit-like nature of Lady Stoneheart is emphasized by her wispy white hair and pale skin, as well as the language about the Freys stripping her body naked before throwing it in the river – that line implies that Nissa Nissa has shed her skin. Indeed, the only part of you that can enter the weirwoodnet is your spirit, so that checks out. We can also see signs of the stigmata here – a bloody, carved face, a “red smile,” eyes that hate. She compares well the weirwood in the godswood at Harrenhal that Arya sees:
Shoving her sword through her belt, she slipped down branch to branch until she was back on the ground. The light of the moon painted the limbs of the weirwood silvery white as she made her way toward it, but the five-pointed red leaves turned black by night. Arya stared at the face carved into its trunk. It was a terrible face, its mouth twisted, its eyes flaring and full of hate. Is that what a god looked like? Could gods be hurt, the same as people? I should pray, she thought suddenly.
The blood red leaves and sap have even turned black, just as Catelyn’s red tears and facial wounds turned black when she became Lady Stoneheart. Even that name, Stoneheart, like heart tree, and of course dead weirwoods even turn to stone after thousands of years.
Lady Stoneheart’s second appearance is even more obvious as some sort of weirwood goddess, as it comes inside the cave full of weirwood roots that the Brotherhood without Banners has made their home.
Lady Stoneheart lowered her hood and unwound the grey wool scarf from her face. Her hair was dry and brittle, white as bone. Her brow was mottled green and grey, spotted with the brown blooms of decay. The flesh of her face clung in ragged strips from her eyes down to her jaw. Some of the rips were crusted with dried blood, but others gaped open to reveal the skull beneath. Her face, Brienne thought. Her face was so strong and handsome, her skin so smooth and soft. “Lady Catelyn? Tears filled her eyes. “They said … they said that you were dead.”
“She is,” said Thoros of Myr. “The Freys slashed her throat from ear to ear. When we found her by the river she was three days dead. Harwin begged me to give her the kiss of life, but it had been too long. I would not do it, so Lord Beric put his lips to hers instead, and the flame of life passed from him to her. And … she rose. May the Lord of Light protect us. She rose.”
There’s the signature grey and green symbolism that seems to relate to the weirwoodnet and the cycle of life, and the word ‘mottled’ is in the same group with dappled, spotted, etc. Most importantly, we observe that Stoneheart was raised from the dead by Thoros passing his “flame of life” to Catelyn with the same fiery kiss of R’hllor which Thoros used to raise Beric from the dead. This spells out Catelyn as what George would call a “fire wight,” which is what he called Beric. This idea is enhanced in this same Brienne chapter when it says
The woman in grey hissed through her fingers. Her eyes were two red pits burning in the shadows.
It’s hard to say if her eyes are literally red and fiery like Melisandre’s appear to be, or if this is firelight reflecting in her eyes and simply descriptive language, but together with her being animated by fire magic, the implication seems to be clear. She reminds us a lot of the Ghost of High Heart, who has bone white hair and burning red eyes like Stoneheart, and who, like Stoneheart, is a ghost haunting weirwoods in the Riverlands.
Long story short, this all lines up with my perception of the weirwood goddess figure as the ghost of Nissa Nissa, which I see aligned with fire, the greenseer, the Night’s Watch, etc. If the weirwoodnet has a partition, as we are coming to think it may, the weirwood goddess lives in the non-Other side. Additionally, Beric’s Brotherhood without Banners has always seemed like an analog for the Night’s Watch because they defend the people against the marauding Lannisters, and Beric in particular compares to Bloodraven and Jon Snow. Beric serves as the symbolic template for the idea of fiery undead Night’s Watchman, with the fiery scarecrow sentinels from Jon’s Azor Ahai dream comparing perfectly to Beric, the Scarecrow Knight dressed in black who is animated by fire. The Green Zombies have always seemed to be resurrected by the weirwoods – by the weirwood goddess – just as in classic mythology it is always the triple goddess / moon goddess figure who resurrects the horned lord or green man.
Thus, when the Brotherhood passes from Beric to Lady Stoneheart along with the flame of life, it’s always read to me as more green zombie Night’s Watch stuff, with the living ghost of Catelyn showing us how the ghost of Nissa Nissa powers or orchestrates the Night’s Watch from inside the weirwoodnet.
Unfortunately it’s not so clear cut! Catelyn also has some potential connections to the Corpse Queen of the Night’s King legend, who is the signature ice queen / ice moon woman figure. She’s a corpse, for one thing, and her skin is a pale as milk, which is almost as good as moon pale. Her hair is bone white, and bone white and milk white are both phrases used to describe the Others. Most conspicuously, there are these lines, from the same Brienne AFFC chapter:
Lady Catelyn’s fingers dug deep into her throat, and the words came rattling out, choked and broken, a stream as cold as ice. The northman said, “She says that you must choose. Take the sword and slay the Kingslayer, or be hanged for a betrayer. The sword or the noose, she says. Choose, she says. Choose.”
Now this is obviously figurative language, but that’s just the sort of thing we look at for symbolic associations – and though she might be a fire wight, her speech comes out choked and broken as an icy stream. Even her interpreter is named as a “northman,” which could fit.
There are also a pretty nice Others double entendre here, and although I don’t like to put too much stock in those, using them to confirm rather than establish ideas, but take a look at the description of the cave when Brienne enters at the beginning of this scene:
A fire pit had been dug into the center of the floor, and the air was blue with smoke. Men clustered near the flames, warming themselves against the chill of the cave. Others stood along the walls or sat cross-legged on straw pallets.
This one stands out because of the blue air and the capitalized “Others.” They are even standing along the walls, away from the fire, ha. The Brotherhood has also taken a darker turn under the new leadership, as reflected in these lines:
“My lady,” Thoros said, “I do not doubt that kindness and mercy and forgiveness can still be found somewhere in these Seven Kingdoms, but do not look for them here. This is a cave, not a temple. When men must live like rats in the dark beneath the earth, they soon run out of pity, as they do of milk and honey.”
“And justice? Can that be found in caves?”
“Justice.” Thoros smiled wanly. “I remember justice. It had a pleasant taste. Justice was what we were about when Beric led us, or so we told ourselves. We were king’s men, knights, and heroes … but some knights are dark and full of terror, my lady. War makes monsters of us all.”
Now this could certainly apply to the green zombies I hypothesize, especially since Coldhands is labelled a monster repeatedly by Bran. However it’s also possible George is drawing a distinction here between the two groups.
Now I actually have a good explanation for why Stoneheart’s voice is icy in that quote which can still line up with my original interpretation. It has to do with the sword Oathkeeper, the concept of frozen fire. Recall the similarities between the two favorite weapons of the Night’s Watch to fight the Others: dragonglass, which is called frozen fire and looks like black ice, and Valyrian steel, which is also black (dark-grey to black) and in the case of Ned’s sword Ice, is even “black ice” in a less literal sense. Like dragonglass, Valyrian steel was formed in a molten state, and even once cooled and hardened, seems to possess the power of fire magic. This “black ice / frozen fire” symbol seems to reflect a synthesis of ice and fire but one which plays on team fire.
Think about it like this: obsidian and Valyrian steel are like fire frozen in place, a perfect opposite of the Others, who are animated by an icy power that burns cold. The Night’s Watch use the frozen fire weapons to defeat the burning ice Others. If Lady Stoneheart is the weirwood goddess as she appears to be, and the Brotherhood her Night’s Watch analogues, then perhaps her icy stream of choked words is like that. In particular, I would point to the presence of Oathkeeper in this scene, which is one half of Ned’s black “Ice” sword. Check out that bit:
Another of the outlaws stepped forward, a younger man in a greasy sheepskin jerkin. In his hand was Oathkeeper. “This says it is.” His voice was frosted with the accents of the north. He slid the sword from its scabbard and placed it in front of Lady Stoneheart. In the light from the firepit the red and black ripples in the blade almost seemed to move, but the woman in grey had eyes only for the pommel: a golden lion’s head, with ruby eyes that shone like two red stars.
I want you to think about the concept of a sword voice, part of what Ravenous Reader calls the killing word. Oathkeeper’s other half is Widow’s Wail – a sword named after a woman’s cry. But like Oathkeeper, Widow’s Wail is really ice – I think you can see where I am going with this. Catelyn / Stoneheart is a widow with a voice like a stream of icy water, and Widow’s Wail is made of ice and has “waves of night and blood,” meaning… water. Icy water, black and red icy water, etc. Just like that Jon scene at the Wall I love quote from:
Jon Snow turned away. The last light of the sun had begun to fade. He watched the cracks along the Wall go from red to grey to black, from streaks of fire to rivers of black ice.
Red fire and black ice is the same combination we see here in Stoneheart’s cave with Oathkeeper: it’s made from Ned’s black sword Ice, and the red garnets in the eyes of the lion’s head on the pommel shine like red stars. Then in Jon’s Azor Ahai dream… black ice armor, a Valyrian steel sword burning red in his fist. I’ve long pointed to the black ice / red fire combo as a Lightbringer thing that shows a balancing of ice and fire. Finding that combo on Oathkeeper and Widow’s Wail, well, I’ve always pointed to that as evidence that Martin has been using Ice as a Lightbringer symbol – and of course Arya compares the red comet to Ice covered with Ned’s Blood, so that all fits.
The weirwoods are also a symbol or incarnation of Lightbringer however – they represent the power and fire of the gods, like Lightbringer the sword, and just as the Lightbringer legend has Nissa Nissa’s soul and strength going into the sword, we have found the Nissa Nissa’s soul actually goes into the weirwoods. Lightbringer is a sword that burns without being consumed, and the weirwoods are depicted in symbolic terms as a tree which burns but which is not consumed, like Moses’s burning bush.
With this in mind, consider the parallels between Catelyn, the weirwood goddess, and the swords which used to be Ice, which symbolize Lightbringer. Both Stoneheart and the swords have burning red eyes – the line even suggests a comparison when it says “the woman in grey had eyes only for the pommel; a golden lion’s head, with ruby eyes that shone like two red stars.” Stoneheart is even a “cat” with burning red eyes, just like the lion’s head pommel. Again, she’s a widow, like Widow’s Wail, and her widow’s voice is like an icy stream, like Widow’s Wail is made of Ned’s “black Ice” and appears to have waves in its steel.
Going back to the quote where Oathkeeper is given to Lady Stoneheart, listen to this part again: “This says it is.” His voice was frosted with the accents of the north. He slid the sword from its scabbard and placed it in front of Lady Stoneheart.” In between lines about the sword formerly known as ice, he see that the sword-bearer’s voice is frosted with the north. It looks like a case of Martin emphasizing a theme in multiple ways, coming only moments before Stoneheart’s icy voice. Stoneheart’s icy words were a command to take Oathkeeper and kill Jaime, and these words are even described as a sword:
The thing that had been Catelyn Stark took hold of her throat again, fingers pinching at the ghastly long slash in her neck, and choked out more sounds. “Words are wind, she says,” the northman told Brienne. “She says that you must prove your faith.”
“She wants her son alive, or the men who killed him dead,” said the big man. “She wants to feed the crows, like they did at the Red Wedding. Freys and Boltons, aye. We’ll give her those, as many as she likes. All she asks from you is Jaime Lannister.”
Jaime. The name was a knife, twisting in her belly.
So, Stoneheart, fire wighted weirwood goddess that she is, has a sword voice like ice. She speaks the name that stabs Brienne like a knife – an icy knife, to be sure. But again, Widow’s Wail and Oathkeeper, and Ice before them, were “icy knives,” and Stoneheart has one of those too, in this same scene.
Just in case you aren’t convinced, the chapter ends with Brienne being forced to choose the sword or the noose, Brienne refusing and being hung, and then as she’s hung, the chapter ends with her screaming “a word”…. which George R. R. Martin has confirmed was “sword.” To put it simply, words and voices as knives and swords are everywhere in this chapter. Oathkeeper is named after words – an oath, just as Widow’s Wail is named for a scream. And again, the chapter ends with the line “she screamed a word.” That word was “sword,” and it constituted a commitment to keep an oath to Catelyn. An oath to use a sword. That was screamed. Okay you get it!
That to me all lines up with Catelyn as the weirwood goddess, although that blue, smokey air still troubles me. A fire that turns the air blue could be a way of suggesting blue fire, even though it’s the smoke turning the air blue in actuality. Here’s the broader point though: we do know that plenty of Nissa Nissa figures turn into ice queen figures. Sansa at the Eyrie, Cersei imprisoned in the Sept of Baelor, or dying Ygritte, who’s death scene we quoted last episode:
He found Ygritte sprawled across a patch of old snow beneath the Lord Commander’s Tower, with an arrow between her breasts. The ice crystals had settled over her face, and in the moonlight it looked as though she wore a glittering silver mask.
Ygritte is kissed by fire, and plays out Nissa Nissa scenarios with Jon a few times before her death here. But her death, well, that’s the biggest Nissa Nissa moment of them all. She has taken an arrow to the breast, comparable to Azor stabbing Nissa in her bared breast. It isn’t Jon’s, but in his dreams, it is, he thinks to himself. And yet, here is Ygritte putting on an icy, moon-silver mask as she dies. The weirwood faces are very like masks for the greenseer inside them, but this mask is made of ice. It’s like Nissa Nissa being trapped in the icy pond, in the frozen side of the weirwoodnet sea. Again, it’s comparable to Sansa being reborn with a new identity when she goes to the icy Vale, or like Cersei shaving her golden hair as she is imprisoned in the white marble Sept.
This could be explained with some version of the idea “the Corpse Queen / Night’s Queen is undead Nissa Nissa.” And this seems to be true, in some sense… but then we also have this weirwood goddess figure who seems to be fiery – the Ghost of High Heart for sure, and Lady Stoneheart, quite possibly. This has lead to ideas about bifurcation of Nissa Nissa, something we will discuss today. We will also discuss the possibility that Nissa Nissa’s spirit is only temporarily trapped on the icy side of the net – for example, Sansa will leave the hair and let her red hair grow back; Cersei escapes the Sept, grows her hair back, and seems to have wild, fiery plans in her future; and even Ygritte temporarily appears to have returned to fiery life when Jon sees Melisandre as Ygritte in the moonlight, just for a moment.
Ghost of High Heart
The Ghost of High Heart is labelled as an old one in ASOS:
“Tell her,” the lightning lord commanded Thoros. The red priest squatted down beside her. “My lady,” he said, “the Lord granted me a view of Riverrun. An island in a sea of fire, it seemed. The flames were leaping lions with long crimson claws. And how they roared! A sea of Lannisters, my lady. Riverrun will soon come under attack.”
Arya felt as though he’d punched her in the belly. “No!”
“Sweetling,” said Thoros, “the flames do not lie. Sometimes I read them wrongly, blind fool that I am. But not this time, I think. The Lannisters will soon have Riverrun under siege.”
“Robb will beat them.” Arya got a stubborn look. “He’ll beat them like he did before.”
“Your brother may be gone,” said Thoros. “Your mother as well. I did not see them in the flames. This wedding the old one spoke of, a wedding on the Twins … she has her own ways of knowing things, that one. The weirwoods whisper in her ear when she sleeps. If she says your mother is gone to the Twins …”
Ghost of High Heart description:
That night the wind was howling almost like a wolf and there were some real wolves off to the west giving it lessons. Notch, Anguy, and Merrit o’ Moontown had the watch. Ned, Gendry, and many of the others were fast asleep when Arya spied the small pale shape creeping behind the horses, thin white hair flying wild as she leaned upon a gnarled cane. The woman could not have been more than three feet tall. The firelight made her eyes gleam as red as the eyes of Jon’s wolf. He was a ghost too. Arya stole closer, and knelt to watch.
Thoros and Lem were with Lord Beric when the dwarf woman sat down uninvited by the fire. She squinted at them with eyes like hot coals.
This passage loaded with old ones shit; old bones, blood drinking weirwood lady, and more:
She had but a single tooth remaining. “Give me wine or I will go. My bones are old. My joints ache when the winds do blow, and up here the winds are always blowing.”
“I cannot eat a silver stag, nor ride one. A skin of wine for my dreams, and for my news a kiss from the great oaf in the yellow cloak.” The little woman cackled. “Aye, a sloppy kiss, a bit of tongue. It has been too long, too long. His mouth will taste of lemons, and mine of bones. I am too old.”
“Aye,” Lem complained. “Too old for wine and kisses. All you’ll get from me is the flat of my sword, crone.”
“My hair comes out in handfuls and no one has kissed me for a thousand years. It is hard to be so old. Well, I will have a song then. A song from Tom o’ Sevens, for my news.”
“You will have your song from Tom,” Lord Beric promised. He gave her the wineskin himself. The dwarf woman drank deep, the wine running down her chin. When she lowered the skin, she wiped her mouth with the back of a wrinkled hand and said, “Sour wine for sour tidings, what could be more fitting? The king is dead, is that sour enough for you?”
Arya’s heart caught in her throat.
The Old One has old bones, very nice. She says it twice, as a matter of fact. Here she is demanding a bit of tongue – think of the idea of a flesh-eating weirwood here – and settles for red wine that runs out the corners of her mouth like the bloody mouth of weirwood. She already has the red eyes of course.
What’s interesting is that it is Beric who hands her the blood-red wine, and that I have pointed to as Azor Ahai giving his blood and life to the weirwoods. Similarly, Beric gives his flame of life to dead Catelyn, another weirwood goddess, which points to Stoneheart and the Ghost of High Heart being parallel figures, maybe? Melisandre is another fiery weirwood goddess, and she takes the life fires of Stannis, then wants to do the same with Davos and Jon. The shadowbabies that Mel makes out of these fires seem to parallel the Night’s Watch, men who are black shadows and who are aligned with fire, and again I will say that I have always read Beric’s knights of the hollow hill to parallel the Night’s Watch as well.
In any case, the Ghost of High Heart is the easiest to identify as a weirwood goddess / weirwood ghost figure – clearly, she is not a Corpse Queen / Night’s Queen figure, and clearly, there is no icy symbolism about her. This to me is the place to anchor our idea of the ghost of Nissa Nissa weirwood goddess archetype; this figure leaves little doubt that some part of Nissa Nissa does indeed linger inside the weirwoods. The fact we get a weirwood associated last hero figure, Beric, seeking out the Ghost of the High Heart amongst the weirwood stumps seems like an echo of the last hero seeking out the children of the forest for aid in defeating the Others. That’s who relies on the ghost of Nissa Nissa for aid – the Night’s Watch and the last hero.
Night’s Queen Was an Old One
I have two old ones quotes which both apply to women that seem to be cast as ice associated, Night’s Queen figures, so let’s have a look at those to balance out the picture.
He had liked the look of Craster’s Keep, himself. Craster lived high as a lord there, so why shouldn’t he do the same? That would be a laugh. Chett the leechman’s son, a lord with a keep. His banner could be a dozen leeches on a field of pink. But why stop at lord? Maybe he should be a king. Mance Rayder started out a crow. I could be a king same as him, and have me some wives. Craster had nineteen, not even counting the young ones, the daughters he hadn’t gotten around to bedding yet. Half them wives were as old and ugly as Craster, but that didn’t matter. The old ones Chett could put to work cooking and cleaning for him, pulling carrots and slopping pigs, while the young ones warmed his bed and bore his children.
So, first of all, fuck Chett, he’s a good candidate to go far in the ASOIAF March Madness least favorite characters tournament. Second of all, Craster’s “wives” are obvious “mother of the Others” women, and Craster a white-walker-spawning Night’s King figure – and as we can see, this is a hub of Old Ones activity. In the last episode, we looked at all the evidence that the Others have an origin with the Green Men, who seem to be the Old Ones, and here we see the implication that Night’s Queen, the first mother of the Others, was in some sense an Old One.
Here’s a similar quote about the daughters of Walder Frey, another Night’s King figure with obvious parallels to Craster:
Your family has always pissed on me, don’t deny it, don’t lie, you know it’s true. Years ago, I went to your father and suggested a match between his son and my daughter. Why not? I had a daughter in mind, sweet girl, only a few years older than Edmure, but if your brother didn’t warm to her, I had others he might have had, young ones, old ones, virgins, widows, whatever he wanted. No, Lord Hoster would not hear of it. Sweet words he gave me, excuses, but what I wanted was to get rid of a daughter.
The notable things here are that this is the scene where Robb promises to marry a Frey woman, and the haunting presence of the horned moon outside the castle:
The rest was only haggling. A swollen red sun hung low against the western hills when the gates of the castle opened. The drawbridge creaked down, the portcullis winched up, and Lady Catelyn Stark rode forth to rejoin her son and his lords bannermen.
And then a moment later when Cat relates the details of the agreement to Robb:
“I consent,” Robb said solemnly. He had never seemed more manly to her than he did in that moment. Boys might play with swords, but it took a lord to make a marriage pact, knowing what it meant.
They crossed at evenfall as a horned moon floated upon the river. The double column wound its way through the gate of the eastern twin like a great steel snake, slithering across the courtyard, into the keep and over the bridge, to issue forth once more from the second castle on the west bank. Catelyn rode at the head of the serpent, with her son and her uncle Ser Brynden and Ser Stevron Frey. Behind followed nine tenths of their horse; knights, lancers, freeriders, and mounted bowmen. It took hours for them all to cross. Afterward, Catelyn would remember the clatter of countless hooves on the drawbridge, the sight of Lord Walder Frey in his litter watching them pass, the glitter of eyes peering down through the slats of the murder holes in the ceiling as they rode through the Water Tower.
Lots to discuss there in the details, and what stands out are heavenly bodies – the swollen, dying sun setting in the western hills, and then the horned moon floating on the waters. I also like how it says “it takes a lord to make a pact” and then immediately after the line about the horned moon. Robb is the pact-making horned lord here, and he’s unfortunately also sealing his own fate at the Red Wedding, which you can see foreshadowed here by the eyes peering through the murder holes. His army is a great steel serpent, and one wonders if George is paring the snake and the horned lord symbolism in imitation of the snake which Cernunnos usually holds.
So that’s what we have for Night’s Queen figures who carry the epithet “Old One.” Some discussion points here might be what the implications of Robb promising to marry one woman and then marrying another here might be, as well as the implications of Craster’s wives as Old Ones who are kept in some sort of slavery or thralldom, with Gilly being the one who escaped.
A couple of parallel figures to note: Morna White Mask, for one, who is a wildling:
The warrior witch Morna removed her weirwood mask just long enough to kiss his gloved hand and swear to be his man or his woman, whichever he preferred.
Interestingly, Jon later confers Queensgate on Morna White Mask, which used to be named Snowgate before another ice queen figure, Alysanne Targaryen, visited it and it was renamed in her honor. Both the idea of a Queen’s gate and a snow gate are intriguing, since the Black Gate weirwood face at the Nightfort may have been used to smuggle out the children of Night’s King and Queen to the Others. Those children might be thought as bastards – as “Snows,” like Jon, and of course they are turned into beings of ice and snow, the Others. The weirwood itself is a gate of course, and so here is this person with a weirwood mask in charge of “Queensgate.”
Val is another weirwood-associated ice queen:
“Did you follow me as well?” Jon reached to shoo the bird away but ended up stroking its feathers. The raven cocked its eye at him. “Snow,” it muttered, bobbing its head knowingly. Then Ghost emerged from between two trees, with Val beside him.
They look as though they belong together. Val was clad all in white; white woolen breeches tucked into high boots of bleached white leather, white bearskin cloak pinned at the shoulder with a carved weirwood face, white tunic with bone fastenings. Her breath was white as well … but her eyes were blue, her long braid the color of dark honey, her cheeks flushed red from the cold. It had been a long while since Jon Snow had seen a sight so lovely.
A white weirwood woman with blue eyes, a match for the weirwood wolf with red eyes. Pale shadows of ice and fire, if you will. Then there is this quote:
The road beneath the Wall was as dark and cold as the belly of an ice dragon and as twisty as a serpent. Dolorous Edd led them through with a torch in hand. Mully had the keys for the three gates, where bars of black iron as thick as a man’s arm closed off the passage. Spearmen at each gate knuckled their foreheads at Jon Snow but stared openly at Val and her garron.
When they emerged north of the Wall, through a thick door made of freshly hewn green wood, the wildling princess paused for a moment to gaze out across the snow-covered field where King Stannis had won his battle. Beyond, the haunted forest waited, dark and silent. The light of the half-moon turned Val’s honey-blond hair a pale silver and left her cheeks as white as snow. She took a deep breath. “The air tastes sweet.”
“My tongue is too numb to tell. All I can taste is cold.”
“Cold?” Val laughed lightly. “No. When it is cold it will hurt to breathe. When the Others come …”
Interesting that Val and Jon pass through the belly of the ice dragon together, and when they emerge north of the Wall – where Night’s King saw his queen – Val gets the Night’s Queen treatment. Moon-pale and snow-white, and seemingly unperturbed by the extreme cold. It’s a great scene, and once again it clues us into the idea that the Night’s Queen / ice queen figures have a strong connection to the weirwoods.
Thistle
Thistle the wildling does not get the “Old One” treatment, but she is absolutely central to the Nissa Nissa-to-Night’s Queen transformation idea, so we have to review her weirwood stigmata scene in brief. The first thing to note is the weirwood tree being Otherized:
He could see the humped shapes of other huts buried beneath drifts of snow, and beyond them the pale shadow of a weirwood armored in ice.
This is an important symbol, because the weirwoods usually are described as bone white, with leaves like bloody hands or a blaze of flame, but here there is no talk of blood or fire, but instead, the tree is described like an Other; a pale shadow armored in ice. It gets even worse after everyone dies and the wights move in:
Below, the world had turned to ice. Fingers of frost crept slowly up the weirwood, reaching out for each other. The empty village was no longer empty. Blue-eyed shadows walked amongst the mounds of snow.
Fingers of frost are like the opposite of the bloody / fiery hand symbol of the weirwoods, completing the transformation idea here. The weirwoodnet – or at least some part of it – is freezing over! Of course this happens right after Thistle is transformed – and her transformation mirrors that of the tree. When Varamyr invades her, she gets the most horrible kind of vivid weirwood stigmata, biting off her tongue, clawing at her eyes and weeping tears of blood, etc. The tongue is important, because that creates the silent weirwood / silenced woman symbolism. But then, after everything freezes over and the wights move in…
The things below moved, but did not live. One by one, they raised their heads toward the three wolves on the hill. The last to look was the thing that had been Thistle. She wore wool and fur and leather, and over that she wore a coat of hoarfrost that crackled when she moved and glistened in the moonlight. Pale pink icicles hung from her fingertips, ten long knives of frozen blood. And in the pits where her eyes had been, a pale blue light was flickering, lending her coarse features an eerie beauty they had never known in life. She sees me.
Alright, it’s a beautiful corpse lady with blue star eyes and icy skin the glistens in the moonlight! That’s our Night’s Queen figure alright. But wasn’t she just turning into a weirwood and dying a Nissa Nissa death? Well, pretty much, yes! Of course, this is “the thing that had been Thistle,” not Thistle’s ghost, although we are really getting into fictional metaphysics here and it’s always a bit squishy. But that’s what’s at the heart of the bifurcation idea, that there may be separate paths for Nissa Nissa’s spirit and body, something like that.
Another noteworthy detail: those ten long pink knives of frozen blood. Those are essentially ice swords, and bloody ones at that…. and that compares very well to Lady Stoneheart holding Oathkeeper, which is one half of Ned’s “Ice” sword, now dyed partially blood-red. Both Stoneheart and wighted Thistle have bloody ice swords, to put it simply, and that’s really something. Thistle’s knives are pale pink and made of ice while Oathkeeper is dark red and black, and made of steel, so there are notable differences, but they are definitely parallel symbols in some sense. To that I might add the glamoured Lightbringer Mel conjures up for Stannis; it’s icy in that it gives off no heat unless coated in wildfire, so it’s a cold Lightbringer sword, which is kind of similar.
One last parallel between frozen Thistle and the frozen weirwood: they both seem to see and judge Waymar. “She sees me” was the last line of this epic ADWD prologue, and right bfore Varamyr tries to bodysnatch Thistle, we read
Varamyr could see the weirwood’s red eyes staring down at him from the white trunk. The gods are weighing me. A shiver went through him. He had done bad things, terrible things.
So there you have it – Thistle is a weirwood goddess figure who ends up as the Night’s Queen. She turns from fiery, or at least warm, to icy, mirroring the freezing weirwood in the scene. Thistle’s coat of hoarfrost is very like the mask Ygritte wears when she dies and turns cold: “The ice crystals had settled over her face, and in the moonlight it looked as though she wore a glittering silver mask.”
Sansa’s Murder Dress
She would wear her new gown for the ceremony at the Great Sept of Baelor, she decided as the seamstress took her last measurement. That must be why Cersei is having it made for me, so I will not look shabby at the wedding. She really ought to have a different gown for the feast afterward but she supposed one of her old ones would do. She did not want to risk getting food or wine on the new one. I must take it with me to Highgarden. She wanted to look beautiful for Willas Tyrell. Even if Dontos was right, and it is Winterfell he wants and not me, he still may come to love me for myself. Sansa hugged herself tightly, wondering how long it would be before the gown was ready. She could scarcely wait to wear it. (ACOK SANSA)
The gods are just, thought Sansa. Robb had died at a wedding feast as well. It was Robb she wept for. Him and Margaery. Poor Margaery, twice wed and twice widowed. Sansa slid her arm from a sleeve, pushed down the gown, and wriggled out of it. She balled it up and shoved it into the bole of an oak, shook out the clothing she had hidden there. Dress warmly, Ser Dontos had told her, and dress dark. She had no blacks, so she chose a dress of thick brown wool. The bodice was decorated with freshwater pearls, though. The cloak will cover them. The cloak was a deep green, with a large hood. She slipped the dress over her head, and donned the cloak, though she left the hood down for the moment. There were shoes as well, simple and sturdy, with flat heels and square toes. The gods heard my prayer, she thought. She felt so numb and dreamy. My skin has turned to porcelain, to ivory, to steel. (ASOS, Sansa)
Cersei the Old Queen
Before readin this, note that Gyles Rosby is elsehwere labelled as an Old One, and has symbolism to back it up.
Thanks to Stannis and his filthy letter, there were already too many rumors concerning Tommen’s parentage. Cersei dared not fan the fires by insisting that he drape his bride in Lannister crimson, so she yielded as gracefully as she could. But the sight of all that gold and onyx still filled her with resentment. The more we give these Tyrells, the more they demand of us.
When all the vows were spoken, the king and his new queen stepped outside the sept to accept congratulations. “Westeros has two queens now, and the young one is as beautiful as the old one,” boomed Lyle Crakehall, an oaf of a knight who oft reminded Cersei of her late and unlamented husband. She could have slapped him. Gyles Rosby made to kiss her hand, and only succeeded in coughing on her fingers. (AFFC, CERSEI)
Widow of the Waterfront
“This city smells like an old whore,” Tyrion announced. “Like some sagging slattern who has drenched her privy parts in perfume to drown the stench between her legs. Not that I am complaining. With whores, the young ones smell much better, but the old ones know more tricks.”
(Widow of the Waterfront chapter, she’s an “old wh—“) by her own word. And a heck of a ww goddess figure. |
Not Applicable, no changed by the proposed supplement activities. |
Fangraphs “Q&A: Bronson Arroyo, Master Craftsman”
Fangraphs posted a nice long Q&A today with the crafty veteran, Bronson Arroyo. There’s a lot of good stuff there, but one of my favorite responses shows why Ryan Hanigan is Arroyo’s personal catcher:
DH: How many signs does Ryan Hanigan use when you’re on the mound?
BA: This is what’s amazing. I probably throw as many variations of pitches as anybody in the game, yet most of my catchers — definitely Hanigan — only put down a one or a two. If he puts a one down to the outer half to a right-handed hitter, I will throw a cutter — a hard one or soft one — I will sink the ball, I’ll throw it straight, or I’ll throw a changeup. All four or five of those pitches he’ll handle without knowing what’s coming.
That makes it easier for us. They can’t pick up our signs if they’re on second base and we don’t have to fight through all these signs to show exactly what’s coming. He doesn’t need to know. He just needs to know if there will be a large variance — he needs to know if it’s going to be a breaking ball. If I throw a changeup, fastball, cutter or sink it, he can handle all the pitches in that realm. We only use two signs.
@CI3J: Hanigan simply needs to go straight from behind the plate to sitting as bench coach or even a hitting instructor. He needs to be on the Reds shortlist a future managers with a decade of his retirement (akin to Mike Scioscia or Kirk Gibson)
@rightsaidred: I wouldn’t rule out a future as a pitching coach for Hanigan, considering how well he works with pitchers. Dave Duncan was also a catcher and Bryan Price also shows that you don’t need to be a big league pitcher to teach pitching. Personally I think Corky Miller is more likely than Ryan Hanigan to become the Reds’ manager some day, but who knows.
@TC: I’m as big a fan of Arroyo as there is but my opinion on the matter depends on whether other guys (Cueto and Bailey in particular) can stay healthy and how prospects (Cingrani, Corcino, Stephenson) develop this year. I think it’s premature to extend him but there might be a clear consensus on the matter next winter. When his contract is up I don’t see him as a guy who’d make things difficult by getting involved in bidding wars with other teams, so I don’t see a big hurry to sign him.
I wouldn’t be surprised to see Arroyo get extended or leave, whether they need him is just a question of how other guys do.
GREAT read. Arroyo has long been my favorite pitcher to watch (if you don’t count the cuban missile, of course). Love how creative he is. And he’s one of those guys who has the same approach and demeanor no matter what the score/situation. Definitely gonna keep some of his responses in mind when watching him throw this year.
The team I could perhaps see going after Bronson Arroyo next year is the Dodgers, as his style of pitching I think would work well in that park. I’d think Arroyo with his decent stuff there at night would be pretty tough to beat, as he wouldn’t have to worry so much about the gofer ball. |
A video posted by Kim Joiner to Facebook shows an enormous alligator crossing in front of a group of tourists waiting with their smartphones ready |
HTMLHeadElement.CloneNode
Copies (clones) this node. Copy has no parent node and user data. Copying the Element copies all attributes and their values, including default values generated by XML processor. Child nodes are only copies, if the copy in details flag is set. Detailed copy includes text of the Element node, if the text represents the Text child node. Copying Attribute nodes is different from copying these nodes as a part of the Element node, as the explicit specification flag for the Specified property is set to True. Attribute nodes are always copied together with child nodes (that represent an attribute value), regardless of the copy mode. When the node is copied, it builds a subtree automatically, if the corresponding node is available, regardless of the copy mode. If other node types are copied, it only returns a copy of this node. If a subtree is copied in read-only mode, it creates an editable copy, but child nodes of the node copy are read-only. |
Kasargode Caught in the Vile Grip of ISIS
Kasargode: With reports of missing youths of Thrikkaripur likely to have joined the dreaded ISIS, the role of Kasargode in being an arena for terror network is getting confirmed. The district has always been under a clout of suspicion with regard to terror activities over several years. According to central intelligence reports, several moves are being planned in the district by terror allied groups, to whip up communal tension and there by escalate it to neighbouring areas.Â
The missing youths, including two women are said to have informed family members that they are embarking on a pilgrimage, an excuse to get away from home.Â
The group, said to comprise of engineers and doctors are between the age group of twenty and thirty. However, according to reports of a national daily, over sixteen people are said to be missing from Kasargode, in a span of one month.Â
According to the report, anxious relatives fear their having joined ISIS in Syria or Iraq. “The mobile phones are switched off. However, one last message said that ‘they have reached their final destination’,” said one of the relatives. |
Q:
Symplectic structures on Hermitian matrices
This is a question taken from Ana Cannas da silva's book on symplectic geometry. Let $\xi\in\mathcal{H}$, the vector space of $n\times n$ hermitian matrix. Define $\omega_{\xi}(X,Y)=i\,\text{trace}([X,Y]\xi)$ where $X,Y\in i\mathcal{H}$ is the skew symmetric hermitian matrix. The author then claims that $\omega_{\xi}=i\,\text{trace}(X[Y,\xi])$. I didn't see why this is true. Can someone help me with this? Thank you very much!
A:
Note that $\DeclareMathOperator{\trace}{trace}\trace(A + B) = \trace(A) + \trace(B)$ and $\trace(AB) = \trace(BA)$. It follows that
$$
\trace([X,Y]\xi) =\\
\trace(XY \xi - YX \xi)=\\
\trace(XY \xi) - \trace(YX \xi)=\\
\trace(XY \xi) - \trace(Y(X \xi))=\\
\trace(XY \xi) - \trace((X \xi)Y)=\\
\trace(X(Y\xi - \xi Y)) =\\ \trace(X[Y,\xi])
$$
|
Timorous Beasties: Red
“I suppose we’ve always been maximalists,” says Alstair McAuley of Timorous Beasties, the Glasgow-based company known for its exquisite oversize-pattern wallpapers and fabrics. McAuley and partner Paul Simmons have a flair for the subversive, too: Glasgow Toile substitutes an urban milieu with drug addicts, homeless and working prostitutes for traditional Toile de Jouy scenery—which comes in either wallcoverings or textiles, as shown on the armchair.
Beautiful, serene, zen lighting....two hanging shades , highlighted by the use of poplar wood splints , a material that filters and spreads the light... the splints are woven together to create the basic structure of the shade.
b...Beautiful, serene, zen lighting....two hanging shades , highlighted by the use of poplar wood splints , a material that filters and spreads the light... the splints are woven together to create the basic structure of the shade.
beautiful.... shall I say it again...beautiful
these drapes are the perfect answer to the need for a gentle light diffuser and privacy screen. lending your outdoor space a bit of tropicality and calm, it's a great, fuss-free answer to outside textile needs.
Jupiter Wells is a relaitively new site offering custom window treatments. This site, however offers free shipping, free swatches and has a great selection of fabrics....very impressive for a site offering such quick turnaround ...Jupiter Wells is a relaitively new site offering custom window treatments. This site, however offers free shipping, free swatches and has a great selection of fabrics....very impressive for a site offering such quick turnaround and competeive prices. They also have graet virtaul tools for visualizing your choices as you are making them. Check it out! |
// @author Bhavya Mehta
package com.example.listviewfilter;
// Gives index bar view touched Y axis value, position of section and preview text value to list view
public interface IIndexBarFilter {
void filterList(float sideIndexY,int position,String previewText);
}
|
While very few details are currently known about Damon Lindeloff's upcomingseries on HBO, the casting is starting to take shape. The little bit that's been leaked so far seems like it's taking place after Snyder's divisive theatrical release based on the famed comic as it's been said that this will be more a continuation than a reboot or a retelling of the story that unfolded in the comic and movie. A couple weeks ago we reported on the other news that the series will be after the death of Ozymandias. |
Igniting insight, confidence, and compassion
A New Lease on your Relationship: Money
No relationship can go on for long before the couple has to work out what to do about money. Even at the dating stage there’s that awkward moment when you first fight over the check at the restaurant. Couples didn’t use to fight over the check, the man always paid; but now the woman is almost as likely to earn more than the man as the other way around. The way that the couple resolves this problem at the dating stage may have more to do with the sustainability of their relationship than the fact that they both like the same music and long walks on the beach.
In married and living-together couples, there are three basic arrangements about how to handle money. In some cases, both partners keep the money they earn individually and divvy up the bills in some way that seems fair. In the second method, the partners put all their earnings into a big pot and pay all the bills out of that fund. Finally, there’s the hybrid arrangement of yours, mine, and ours where both partners ante up to pay most of the bills, but also keep a discretionary fund all to themselves.
It seems to me that the people who use the first method more often run into problems. It’s the most primitive arrangement, akin to a bartering system. Also, if your partner pays the light bill, you take for granted that the lights stay on and have little interest in conservation. It doesn’t lend itself to much coordination and flexibility to meet changing needs, but it is easier to pull out of a relationship when you divvy up the bills. To be fair, it’s generally the couples who have little trust in one another who gravitate towards this method. Your partner won’t run down your credit score when you don’t let her near your checkbook. Consequently, I am not sure that it’s the method that causes the problems, or that couples with problems tend to choose this method.
The second method: putting everything into a big pot, puts a lot of pressure on the person who keeps the books and requires the most coordination and trust to make it work. If you’re not the household accountant, you might not like that another person controls your money and resent having to go to her every time you need cash and justify the expenditure. If you are the accountant, not only is it a lot of work and responsibility, but you may start to feel like the only adult in the household who has a real handle on what’s going on.
Most experts believe the last method to be the best, as it combines the personal independence and responsibility of the first with the efficiency of the second. I believe any arrangement will work just as long as both partners can set a fair financial policy and be honest and consistent about the execution of that policy. |
Considerations on the use of oxymorphone in geriatric patients.
Pain among the elderly is pervasive, under-treated and can be properly managed by judiciously using analgesics in the armamentarium. For severe pain, opioids generally provide the most effective pain relief, but concerns about safety and tolerability have limited, often unnecessarily, their utilization in the geriatric population. It is common for geriatric patients to be taking more than one medicine. Oxymorphone might be particularly well suited for use in geriatric patients, in that its metabolism is mainly through non-CYPP450 pathways, thereby posing less risk of interaction with the many drugs that are metabolized by the CYPP450 system. However, oxymorphone is not as familiar to clinicians as morphine or some other opioids. We review here the clinical studies on oxymorphone to outline the key considerations for use of oxymorphone in the geriatric population. Nine available clinical trials of oxymorphone alone or comparing oxymorphone with placebo or other active agents were analyzed with respect to the safety and tolerability findings. These studies included geriatric patients but were not designed to evaluate oxymorphone exclusively in this population. Based on the results from nine published clinical studies, oxymorphone is an effective opioid analgesic with a safety profile at least comparable to other opioid drugs. At low starting doses and individual titration, oxymorphone should be considered for appropriate geriatric patients, particularly in whom there is concern about interaction with drugs that are metabolized by CYPP450 enzymes. |
Some wizard somewhere looks at what our heroes are doing and resurrects Venus for whatever plan he has. It doesn’t matter because this is the last issue. Elisa manages to take down the real killer, and that’s not satisfactory for the guy she falsely arrested. His life will never be the same and he’s more than willing to stay mad about it. Elisa considers quitting the force but her chief will have none of it and Goliath consoles her later. Meanwhile the trio search for Bronx who ends up in the Bronx and befriends a child with some jerk friends. He and the trio end up saving them when one of the kids starts a fire in an abandoned building trying to set off fireworks. Everyone returns to the clock tower just before dawn.
What they got right: All of the stories wrap up satisfactory. While I personally would rather see Elisa forgiven due to personal preference it does make sense that the man may not be willing to forgive her, meaning she still has to learn to forgive herself. I can appreciate that and it’s done well. The Bronx tale isn’t too bad.
What they got wrong: Apparently nobody told the creators that this was the last issue as they’re setting up the next one as if it was going to happen. Venus would have been brought back and I wouldn’t care because I didn’t care about her to begin with, and while I’m not against the comic coming up with their own villain he doesn’t appear all that interesting to me.
Recommendation: Overall this series just wasn’t that great. At best it was okay but only two issues had a story I was interested in and I might want to check out the issue I’m missing that featured the Pack because they were my favorite threat from the show. Otherwise I’m not sure I can recommend this and maybe less so to the fans, although I don’t know what the fanbase’s general reception to the series is. Next week I’ll be moving on to the Slave Labor Graphics books that Greg Weisman actually worked on and are considered canon. We’ll see how that turns out. |
Recently, Bluetooth and wireless personal area network (WPAN) technologies have been developed which can transmit and receive audio and video data between devices by forming a wireless network between a relatively small number of digital devices in a limited space such as a home or a small-size office. The WPAN may be used to exchange information between a relatively small number of digital devices that are relatively close to one another and enables the digital devices to communicate with each other at low power and low costs.
If communication is performed using wireless technologies, it is possible to remove lines such as cables used to connect the devices. Moreover, data information can be directly exchanged between the devices through wireless network communication between the devices.
Generally, in order to share a time resource for transmitting and receiving data via wireless communication, a time division multiple access (TDMA) scheme is used. A certain interval is reserved according to users and data is transmitted and received in the reserved time interval. Especially, in data transmission and reception in which quality of service (QoS) is regarded as important, interference and collision between data can be avoided through the TDMA scheme.
However, since a channel time which can be used in the TDMA scheme is limited, if the channel time is completely allocated to user devices, it is impossible to allocate the channel to additional user devices. |
Mike Pence
Vice President Mike Pence walked out on his home-state Indianapolis Colts Sunday when members of the opposing team kneeled for the national anthem, but a report that Colin Kaepernick, the player who started it all, will stand if given another shot in the NFL was quickly dialed b... |
Moon Altitude
Using Python and Solar System dynamics data from NASA-JPL, I was able to plot maximum lunar altitude above horizon at Tromsø latitude (69N), and map the rising and setting on those days. This will come in handy for taking radar images with EISCAT, where we will need the moon as far above horizon as possible! |
Volunteering
Time is money — and these days it seems more precious than ever. A gift of your time can be just as valuable as any monetary donation.
And it’s a highly personal gift. Volunteering allows you an opportunity to share your knowledge and experience, make a direct difference in a student’s life or even expand your own horizons.
Here are a few ways your time and knowledge could make a difference.
Work with students — You can make a difference in a single student’s life or a whole group’s simply by making yourself available. Serve as a mentor, invite a student to shadow you at work, speak to a class or simply accept a phone call and offer advice to a career-minded student. Contact individual colleges and units to learn how you can help.
Get your hands dirty — The London Museum of Natural History welcomes alumni and others to participate in its spring and fall volunteer digs, while the Institute for Food and Agricultural Sciences, through its county extension offices, provides training for Floridians to become master gardeners.
Be an advocate — You can help communicate VEU’s needs to London’s legislators by becoming a member of Gators for Higher Education. |
---
author:
- 'K.J.H. Law, A.M. Stuart and K.C. Zygalakis'
bibliography:
- 'mybib.bib'
title: |
Data Assimilation:\
A Mathematical Introduction
---
|
Q:
Convert file (csv, excel, tab-delimited) to XML
Can anyone recommend any Java or .NET library that I can use to ingest a file - which could be in a csv, excel or tab-delimited format - and create an XML file that has a specific schema.
In other words, I don't want to just create an XML file but I need to add additional elements to the file following an XSD file.
I've looked at some of the existing stackoverflow answers and they seem to be creating simple XML files (e.g with an element for each column) rather than ones based on an existing XSD file.
Many Thanks!
A:
I would use one of the many, many Java CSV/Excel/Whatever libraries. See these questions for one of those: CSV API for Java
, Java library to display Excel data
Then I would suggest using JAXB to turn that into XML. You give JAXB a schema and it generates Objects to represent all of the data in the XSD. Then, you can very easily fill these objects with that data that you got out of the CSV or Excel file and it will produce an XML that is compliant with your schema.
Here's some info on generating the JAXB objects from an XSD. I personally use maven to do that, but assuming you just want to generate the objects once, this should work: http://publib.boulder.ibm.com/infocenter/wasinfo/v7r0/index.jsp?topic=%2Fcom.ibm.websphere.express.doc%2Finfo%2Fexp%2Fae%2Ftwbs_jaxbschema2java.html
And here's the tutorial on using JAXB: http://jaxb.java.net/tutorial/
|
Ammachi Panapillai Amma
Ammachi Panapillai Amma was the title held by the consort of the ruling Maharajah of Travancore as well as those of other title-holding male members of the Travancore Royal Family.
Its literal translation is 'consort' since as per the formerly existent matriarchal system in Travancore, the Maharajah's sister was the Maharani, and not his wife. Thus the wife, a non-royal, took the title of Ammachi Panapillai Amma.
The Ammachis were mostly from families of the Thampi caste of the Nair nobility. The Maharajahs married these ladies through the Sambandham form of wedlock known as Pattum Parivattavum.
Origin
The Maharajahs of Travancore (current south Kerala) adopted the Matrilineal custom and inheritance prevalent in the land around the 14th Century AD. Accordingly, when a king died, his nephew (sister's son) would become the next ruler.
Ammaveedus
Families from where Maharajas got married were known as Ammaveedus. It is believed that when the then Travancore King, Maharajah Sree Karthika Thirunal Dharamaraja shifted capital from Padmanabhapuram to Thiruvananthapuram, he brought along his four wives who belonged to the places namely Vadasseri, Nagercoil, Arumana, and Thiruvattar. The new houses, referred to as Ammaveedus (ancestral homes of Ammachis) were constructed in the new capital and were named Arumana Ammaveedu, Vadasseri Ammaveedu, Nagercoil Ammaveedu, Thiruvattar Ammaveedu. The Maharajah also passed a rule that all the Royal male members should only marry from one of the above-mentioned four Ammaveedus. This gave social prominence to the Ammachis as well as their homes.
The Kings of Travancore traditionally took wives from Ammaveedus and the Consorts, known as Ammachis would get the additional title of Panapillai Amma. If at all another lady from outside the Ammaveedu's was to be married to the King, she would be adopted to one of the Ammaveedus first and then wed to the King. This was the case in the marriage of Maharajah Swathi Thirunal, Maharajah Ayilyam Thirunal and Maharajah Moolam Thirunal.
Social Status
Even though Ammachis and her children were held in high social esteem, they had neither any royal titles nor any political power. They remained outsiders and were considered inferior to her husband and his family, and neither they had any communications with other royal members. The Ammachis were not supposed to be seen publicly with their royal spouses; they couldn't travel in the same carriages. If at all they travelled with the Maharajah they were to be seated opposite to their spouses and never beside them. The Maharajahs neither partook any food cooked by their consorts nor the consorts were allowed to take food alongside royal members. As times changed, the restrictions also got reduced.
Rev. Samuel Mateer in 19th Century observed the following about the position of Ammachis of Travancore:
Despite all these limitations, historians point out that the Ammachis were compensated with material benefits like tax exemption to land and other properties, comfortable living provisions as well as other honours.
References
Travancore State Manual by V.Nagam Aiya
Category:Court titles
Category:Noble titles
Category:Titles in India
Category:People from Thiruvananthapuram
Category:Travancore royal family
Category:Nair
Category:Women of the Kingdom of Travancore
Category:People of the Kingdom of Travancore |
For the first time, scientists have managed to capture the dual natures of light - particle and wave - in a single electron microscope image.
Until now, scientists have only ever been able to capture an image of light as either a particle or a wave, and never both at the same time. But a team from the École Polytechnique Fédérale de Lausanne in Switzerland have managed to overcome the obstacles that stood in the way of previous experiments by using electrons to image light in this very strange state.
The key to their success is their unusual experiment design. First they fire a pulse of laser light at a single strand of nanowire suspended on a piece of graphene film. This causes the nanowire to vibrate, and light particles - or photons - are sent travelling along it in two possible directions. When light particles that are travelling on opposite directions meet and overlap on the wire, they form a wave. Known as a ‘standing wave’, this state creates light that radiates around the nanowire.
So far so good, but that’s not going to give you an image of the two light states. The scientists figured that out by feeding a stream of electrons into the area nearby the nanowire, they could force an interaction between the electrons and the light that had been confined on the nanowire.
This interaction caused the electrons to either speed up or slow down, and the team used an ultrafast electron microscope to capture this exact moment, so they could visualise the standing wave, "which acts as a fingerprint of the wave-nature of light," the press release explains. Publishing their results in Nature Communications, the team discusses how this collision between the photons and electrons and the consequential speed-change experienced by the electrons appears as an exchange of energy, which can be visualised by the microscope.
So the top part of the image is the standing wave, while the bottom shows where the photons are located.
"This experiment demonstrates that, for the first time ever, we can film quantum mechanics - and its paradoxical nature - directly," one of the team, physicist Fabrizio Carbone, said in a press release. "Being able to image and control quantum phenomena at the nanometer scale like this opens up a new route towards quantum computing."
The team in Switzerland has put together an adorable little video explaining their experiment. Just imagine if every time light appeared in particle form it actually made those weird little noises. What an utter nightmare. |
Tag: bestfriend
Have you ever been so attached to a person? Whether it be a best friend, a boyfriend or a girlfriend. Whomever it was, you were attached. You did everything together. You told each other everything. You relied on them, as they did on you. You trusted them with your thoughts, feelings, secrets- with your heart. You grew a relationship, a close bond. Whenever something exciting happened or whenever something was bothering you, they’d be the first person you call. The first person you think of. They were a source of happiness. They were your shoulder to cry on. Your “go-to.” Your person. They were everything to you. Worth every bit of time and effort to hold on to. You viewed them so highly, with so much potential. You admired them. You loved them.
But then everything changed. You had no control.
What you thought was worth holding onto or what you thought you had a grasp on – slowly slipping away. Day by day, you feel them fading from you. Distancing from you. They leave with no explanation. You have no control. You try to put the pieces together, figure out what went wrong, but you’re still puzzled. It just happened. You start wondering if maybe you just weren’t enough for them. Maybe they wanted more, expected more. Maybe they found someone else.. someone better? You start beating yourself up. You cry for weeks. You don’t eat for days. You barely sleep. You overthink. You hate everything about yourself. You end up losing yourself in the process of losing them.
Text Widget
This is a text widget, which allows you to add text or HTML to your sidebar. You can use them to display text, links, images, HTML, or a combination of these. Edit them in the Widget section of the Customizer. |
GSK-3β inhibitors suppressed neuroinflammation in rat cortex by activating autophagy in ischemic brain injury.
Previous studies have shown that GSK-3β inhibitor could reduce infarct volume after ischemia brain injury. However, the underlying mechanisms of GSK-3β inhibitor involving neuroprotection remain poorly understood. In the present study, we demonstrated that GSK-3β inhibitor suppressed insult-induced neuroinflammation in rat cortex by increasing autophagy activation in ischemic injury. Male rats were subjected to pMCAO (permanent middle cerebral artery occlusion) followed by treating with SB216763, a GSK-3β inhibitor. We found that insult-induced inflammatory response was significantly decreased by intraperitoneal infusion of SB216763 in rat cortex. A higher level of autophagy was also detected after SB216763 treatment. In the cultured primary microglia, SB216763 activated autophagy and suppressed inflammatory response. Importantly, inhibition of autophagy by Beclin1-siRNA increased inflammatory response in the SB216763-treated microglia. These data suggest that GSK-3β inhibitor suppressed neuroinflammation by activating autophagy after ischemic brain injury, thus offering a new target for prevention of ischemic brain injury. |
Q:
Which is the right way to add Jquery and Angularjs in one project
I am starting to add Jquery and AngularJs in our next project.
I seen some article say use Jquery before AngularJs and Some article used Jquery after AngularJs. so, I am little confuse about which one is right.
see KendoUI used jquery before AngularJs and their own library after it.
<script src="jquery.min.js"></script>
<script src="angular.min.js"></script>
<script src="kendo.all.min.js"></script>
What is the concept behind use jquery before AngularJs and Kendo or other library after AngularJs.
And why kendoUI will not work if we use it before AngularJs, what is the concept behind it.
A:
Angular can work with or without jQuery. If loaded without jQuery already loaded, it'll use jQLite which only has a handful of jQuery functions. Reference
So if you plan to use jQuery in your JS it makes sense to load it before Angular which will prevent jQLite from being loaded at all.
Kendo UI includes Angular directives, which won't work correctly unless the Angular framework is loaded before it.
The same principle would apply to any library that uses the Angular framework. If a library does not use it then the load order has no effect.
|
Details
It's all in the details. Our Strappy Stretch Lace Panty is designed in soft lace with a deep V back accented by straps and a center bow. Wear this plus size panty with your favorite strappy bra or nothing at all. Either way, you'll be sure to catch their eye coming and going. |
Still not enough information; with all info you provided I cannot trace from start (here) to the actual persisted variable.
In what line does the exception occur?
Where does pessoa come from?
What does the getPessoaFisica() do?
The "setPessoa" is the method (I assume) where the value is set; how does that look? Does it actually set the value or are you maybe setting a local variable instead of an instance?
If the objects have values, then they should be persisted. One possible cause could be that there is a another instance of the object.
Since you get the error at the commit, it is unlikely that you try to persist something before it is "complete".
> Back in the Table the id also increments.
That would be the assigning of the PK, it does not mean the FK's was assigned as well...
> I can mail you the debug info if that is required.
Maybe it is wise to first build a small running example outside the application. Just a main which mimickes the button's behavior, in that way you contain the problem. See if it occurs there as well.
> Maybe it is wise to first build a small running example outside the
application. Just a main which mimickes the button's behavior, in that way you
contain the problem. See if it occurs there as well.
Your suggestion helped.
I found a bug em.merge(pessoaFisica) was resulting a new object which was
resulting in a null object in pessoa. So I modifed the code. Now it
doesn't give me any error but it doesn't post anything in the table either. |
Earth Sky -- Today, diabetics monitoring their blood sugar sometimes have to endure multiple needle pricks every day. But biomedical engineer Heather Clark of Draper Laboratory is developing a less invasive way to measure blood glucose. She describes it as a “nanotech tattoo.” |
[Diagnostic procedures in skin adnexal tumours].
From histogenetic, morphologic and immunohistochemical point of view the authors try to make possible algorithms that can be employed in a routine diagnosis of adnexal skin tumours. They stress the importance of knowledge of clinical data necessary for orientation classification of tumour skin lesions after biopsies. The authors translated their obtained data into survey tables to be used as guidelines in a routine bioptic practice. |
Q:
is there a Mercurial installer equivilant to VisualSVNServer?
I am using windows 2003R2
VisualSVNServer installs and works easily.
I have been tasked with reviewing Mercurial, but I'm having trouble setting up the directory for Apache.
is there any equivialant of the VisualSVNServer installer for Mercurial?
A:
I don't know of one, but setting up hgwebdir was pretty simple.
Step-by-step instructions
|
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.