text
stringlengths 1
1.57M
⌀ |
---|
A safety rotating closure is disclosed for a multi-compartment bottle, for example, a two-chamber bottle, with a separate pour neck.
In the household and in a commercial-industrial application, substances are often used which consist of separate components. For example, the substances are detergents or gardening agents or also agricultural agents which consist of at least two flowable or liquid individual components which must be stored separately from one another and come into contact with one another only when poured out. In this connection it is necessary to house the individual components in a standard container which has several chambers. For this purpose multi-compartment bottles, especially of plastic, which are produced in one or more parts, are known from the prior art.
To prevent the individual components from coming into contact with one another too early, in addition to multi-compartment bottles with a common pour opening for the chambers there are also multi-compartment bottles, conventionally two-chamber bottles which have a separate pour neck with its own pour opening for each chamber. Providing the separate pour openings with separate closures, for example rotating closures, is known.
U.S. Pat. No. 5,934,515 discloses a two-chamber bottle which has two separate pour openings. Each pour opening is provided with a separate closure. The closures are mounted on a platform which can be slipped onto the pour necks. Finally there is an overcap which can be placed over the pour neck provided with the closure platform.
US 2003/0173364 A1 describes a canister-like, two-chamber container which has a pour neck with two pour openings. The outside wall of the common pour neck is provided with an external thread. After attaching separate closure stoppers for the pour openings, a screw cap can be screwed onto the common pour neck.
Due to the often basic or acid contents of the multi-compartment bottles or in the case of other problematical contents, there is often the desire to seal these bottles child-proof. Therefore fundamentally any individual rotating closure can be provided with a child safety. In any case this approach is not extremely user-friendly in application. Therefore, the prior art discloses a sealing cap for a multi-compartment bottle, especially for a two-chamber bottle which can be screwed onto the common bottle neck of the multi-compartment bottle. The rotating closure has a sealing membrane which is located within the closure which is pressed against the edges of the mouth of the pour openings when the closure is screwed on. Sealing of the pour openings via the sealing membrane is unfortunately often simply unsatisfactory. When the rotating closure is screwed on and off, the opening edges rub against the sealing surface of the sealing membrane. In this way the sealing membrane can wear and then no longer closes correctly. The child safety feature of this known rotating closure consists in positive locking of interlocking elements located on the closure with the correspondingly made counterparts on the bottle neck. This dictates that bottles which are to be provided with a childproof closure must be produced separately.
|
Neutron diffraction and computer simulation studies of D-xylose.
Neutron diffraction with isotopic substitution (NDIS) experiments and molecular dynamics (MD) simulations have been used to examine the pentose D-xylose in aqueous solution. By specifically labeling D-xylose molecules with a deuterium atom at the nonexchangeable hydrogen position on C4, it was possible to extract information about the atomic structuring around just that specific position. The MD simulations were found to give satisfactory agreement with the experimental NDIS results and could be used to help interpret the scattering data in terms of the solvent structuring as well as the intramolecular hydroxyl conformations. Although the experiment is challenging and on the limit of modern instrumentation, it is possible by careful analysis, in conjunction with MD studies, to show that the conformation trans to H4 at 180 degrees is strongly disfavored, in excellent agreement with the MD results. This is the first attempt to use NDIS experiments to determine the rotameric conformation of a hydroxyl group.
|
Q:
PYQT: Horizontal and Vertical Headers
Does anyone know how to add vertical and horizontal headers to a QTableView? I have been working on this for several hours now, and I can't seem to figure it out.
Current Result:
However, I am trying to produce this: (Sorry, I did it in excel -- however, I hope you get the idea).
Here is my code:
from PyQt4 import QtCore, QtGui, uic
import sys
try:
from PyQt4.QtCore import QString
except ImportError:
QString = str
SYSTEM=0
class inovaTableModel( QtCore.QAbstractTableModel ):
def __init__(self, data = [[]], headers=[], parent=None):
QtCore.QAbstractTableModel.__init__(self, parent )
self.__data = data
self.__headers = headers
def rowCount(self, parent):
return len(self.__data)
def columnCount(self, parent):
return len(self.__data[0])
def flags(self, index):
return QtCore.Qt.ItemIsEditable | QtCore.Qt.ItemIsEnabled | QtCore.Qt.ItemIsSelectable
def data(self, index, role):
if role == QtCore.Qt.EditRole:
row = index.row( )
column = index.column( )
return self.__data[row][column]
if role == QtCore.Qt.ToolTipRole:
row = index.row( )
column = index.column( )
return self.__data[row][column]
if role == QtCore.Qt.DisplayRole:
row = index.row( )
column = index.column( )
return self.__data[row][column]
def setData(self, index, value, role = QtCore.Qt.EditRole):
if role ==QtCore.Qt.EditRole:
row = index.row()
column = index.column()
self.dataChanged.emit(index, index)
return self.__data[row][column]
def headerData(self, section, orientation, role):
if role == QtCore.Qt.DisplayRole:
if orientation == QtCore.Qt.Horizontal:
return QString("X","Y","Z")
if orientation == QtCore.Qt.Vertical:
return QString("List ") + QString(section)
if __name__ == '__main__':
app = QtGui.QApplication(sys.argv)
app.setStyle( "plastique" )
data = ["one", "two", "three",]
tableData_alpha = [
["5","1"],
["10", "3"],
]
headers = ["Y", "X", "Z"]
model = inovaTableModel(tableData_alpha)
tableView = QtGui.QTableView()
tableView.show()
tableView.setModel(model)
sys.exit(app.exec_())
I added headerData to the model-class. I am able to get the vertical headers to work, but not the Horizontal. Here is the Result:
A:
The header data is per column/row, so you have to return the header for specific section, rather than all 3. The str("X", "Y", "Z") is not valid use of str, you need to return just the one identified by value of section:
def headerData(self, section, orientation, role):
if role == QtCore.Qt.DisplayRole:
if orientation == QtCore.Qt.Horizontal:
return ["X", "Y", "Z"][section]
if orientation == QtCore.Qt.Vertical:
return QString("List ") + QString(section)
|
Q:
Handle different content in XAML binding
I have a binding in XAML to Validation.Errors.
Sometimes it seems this is a single string and sometimes it is a list of strings.
The following code works fine if it is a single string.
For a list of strings I just get the "System.Generic.List" as an item in the item control.
If I change DisplayMemberPath to be "ErrorContent[0]", it successfully shows the first string if it is a list, but if it happens to be a single string I of course just get the first character.
Question. How can I make it handle both cases (single string type and list type) in XAML?
<ItemsControl
x:Name="ErrorDisplay"
ItemsSource="{TemplateBinding Validation.Errors}"
DisplayMemberPath="ErrorContent"
Foreground="Red"
FontSize="12">
</ItemsControl>
A:
First, you need to define two DataTemplate's for both String and List.
<DataTemplate x:Key="singleObject">
<TextBlock Text="{Binding}"/>
</DataTemplate>
<DataTemplate x:Key="collection">
<Listbox ItemsSource="{Binding}"/>
</DataTemplate>
Then implements a DataTemplateSelector class and declare it as resource.
public class MyDataTemplateSelector : DataTemplateSelector
{
public override DataTemplate
SelectTemplate(object item, DependencyObject container)
{
FrameworkElement element = container as FrameworkElement;
if (element != null && item != null)
{
var ie = item as IEnumerable;
if (ie == null)
return
element.FindResource("singleObject") as DataTemplate;
else
return
element.FindResource("collection") as DataTemplate;
}
return null;
}
}
<right namespace prefix:MyDataTemplateSelector x:Key="myDataTemplateSelector"/>
Finally, set your DataTemplateSelector to your ItemsControl.
<ItemsControl x:Name="ErrorDisplay" FontSize="12"
ItemsSource="{TemplateBinding Validation.Errors}"
DisplayMemberPath="ErrorContent" Foreground="Red"
ItemTemplateSelector="{StaticResource myDataTemplateSelector}"/>
|
Tamil rejection of LLRC formula should be loudly told to UNHRC
As the orientation and the thrust of the LLRC recommendations are annihilation of the Eezham Tamil nation and its territoriality – in other words structural genocide – the crafty arrangement at the UNHRC making the LLRC implementation as an international obligation has to be opposed, and the report as approach to solutions should be rejected as a whole, said new generation political activists in the island. Their comment came, as genocidal Colombo after a drama announced its consent last week to ‘cooperate’ with the proceedings of the UNHRC. The activists in the island cautioned the diaspora and Tamil Nadu to carefully identify and check the agenda-players and gullible elements of shallow understanding, which campaign that LLRC implementation would suffice Tamil aspirations and self-determination not needed.
Despite the gagged conditions in the island, reliable Tamil politicians, political activists and civil groups, seeing the ground realities, are impelled to come out with the rejection of the LLRC implementation as a solution.
But it is sad to see that some gullible activists in the diaspora, directed by agenda-players, harp on the LLRC implementation to confuse and discourage the Tamil struggle as well as righteously growing international opinion in favour of Tamil right to self-determination, the activists in the island commented.
Such elements pose themselves outside as ardent supporters of the Tamil cause to get community leadership and then using that tag, naively work behind the scene for another agenda of campaigning for contentment with the LLRC implementation, the activists in the island said that they were shocked by a recent incident in a diaspora country, in which an Eezham Tamil community leader during an invited meeting with local politicians sympathetic to the cause of Tamil self-determination, tried to convince them negatively in his enthusiasm for LLRC implementation.
Counting the so-called positive aspects of the LLRC recommendations is like counting the trees in the wood, the activists cautioned, saying that every seemingly positive recommendation in the report is deeply orientated for structural genocide, annihilation of the identity of Eezham Tamils as a nation in the island, annihilation of their territorial identity and permanent subjugation.
The report has even set the time limit to achieve its aims, the activists in the island pointed out.
Coming out with righteous opposition can never go futile, but just because of blind and naïve collaboration by elements of shallow understanding, the agenda-setters are not going to improve the LLRC implementation in any way to the favour of Tamils, the activists in the island said, requesting the diaspora and Tamil Nadu to boldly and loudly reject the LLRC implementation and the 13th Amendment of Indian agenda as models for solution.
Some of those who were playing behind the scene in Tamil Nadu in misleading sections of grassroot political leadership to slip by harping on LLRC implementation as solution to ‘Sri Lankan’ Tamils are now behind-the-scene discouraging TESO becoming any success, the activists in the island further cautioned in their expectation for unflinching declarations to collectively come from all sides of polity in Tamil Nadu committed to the cause of Eezham Tamils.
|
Myometrial estrogen and progesterone receptor binding in pregnancy: inhibition by the detergent action of phospholipids.
We characterized the phospholipid inhibition of estradiol and progesterone binding to guinea-pig and human myometrial receptors. Of twelve compounds studied, phosphatidylinositol (PI), lysophosphatidic acid and lysophosphatidylcholine (lyso-PC) were the most active inhibitors (50% inhibition at 10(-5) M). Lyso-PC with fatty acid chain length C14:0 inhibited ligand binding both to estrogen receptor (ER) and progesterone receptor (PR), C16:0 only to PR and C18:0 neither to ER nor to PR. The lyso-derivates were more inhibitory than the parent compounds. The ionic detergent (sodium taurocholate) inhibited both ER and PR binding, but the non-ionic detergent (Triton X-100) only PR. Triton X-100 enhanced the PI-induced inhibition of ER binding by a factor of 10. PR was more sensitive to inhibition than ER in all cases. The type of inhibition was non-competitive. At term pregnancy, ligand binding to myometrial ER or PR was low or absent in humans, but moderate in the guinea-pig. Phospholipid extracts of human decidua and fetal membranes contained PI and phosphatidylserine rather than lyso-PC. The extract was a potent inhibitor of ligand binding to PR (50% inhibition at 10(-6) M phospholipid phosphorus), but not to ER. The physicochemical environment, modulated by phospholipids acting as detergents, may regulate sex steroid function also in vivo. This might have special significance for pregnancy maintenance.
|
In this book, a novel SRAM cell with eight transistors is being proposed to reduce the static hence total power dissipation. When compared to the conventional 6T SRAM and NC-SRAM cell, the proposed SRAM shows a significant reduction in the gate leakage current, static and total power dissipation while produce higher stability. In the technique employed for the proposed SRAM cell, the operating voltage is reduced in idle mode. The technique led a reduction of 31.2% in the total power dissipation, a reduction of 40.4% on static power dissipation, and The SVNM SINM WTV and WTI of proposed SRAM cell was also improved by 11.17%, 52.30%, 2.15%, 59.1% respectively as compare to 6T SRAM cell and as compare to NC-SRAM cell is 27.26%, 47.44%, 4.31%, 64.44% respectively. Cadence Virtuoso tools are used for simulation with 90- nm CMOS process technology.
|
Q:
How to extend object properties with other in Scala?
I am new to Scala, how to extends one properties value from other object. Like in angular, angular.copy(obj1, obj2);
If I have two objects, obj1, obj2, both having the same property names. obj2's value would be overridden to obj1.
How to achieve this in Scala?
A:
Unlike JavaScript, Scala does not allow you to add new properties to existing objects. Objects are created with a specific type and that type defines the properties on the object. If your objects are implemented as a case class then it is easy to make a copy of an object:
val obj = obj1.copy()
You can also update some of the fields of obj1 during the copy and leave others untouched:
val obj = obj1.copy(count=obj2.count)
This will create a new object with all the same values as obj1 except for the field count which will take the value from obj2.
It has been noted in the comments that in Scala you will typically create new objects from old ones, rather than modifying existing objects. This may seem cumbersome at first but it make it much easier to understand the behaviour of more complex code because you know that objects won't change under your feet.
|
A Cannabinoid Pharmacopoeia
In the usa, higher than 1.7 several individuals well informed they have perhaps cancer every one year. However all the dept besides alerts the fact that finding it will perform afoul associated with strategies started by your U.S. Foodstuff not to mention Tablet Government, which usually said it turned out unlawful to include CBD to help you certain foods so they can market place it as a product. FAB CBD offers you long been were only available in 2017 with website creating a stuff for the regular unique to assist you to truly feel protect supplementing with the help of hemp. This tension, between a extensive perception which usually weed is certainly an effective treatment to have an simple and easy offering of diseases as well as poor clinical discovering with it is gains, is reasonably amplified not long ago by way of push in the direction of legalization.
However she’s going to teach you that participants, just who generally have to take medicinal drug assessments which unfortunately are more private, “may well experiment terrific” designed for find degrees of THC should they be choosing CBD products. CBD Petrol for Tenderness CBD should be the two anti-inflammatory and even analgesic inside personality. Everyone may have heard products and solutions from your halter plant. All the same, every CBD items that can be found (besides Epidiolex) are frequently almost thoroughly unregulated. Today, marihauna farmers tend to be reproduction factories youngster should be have increased THC levels. The fact is, by using clean CBD the cost of gas will grow taken by professional not to mention collegiate participants, exactly who go on the following with regard to a muscular body sleep, treatment, on going medication, other sorts of health benefits plus medical attention together with every situation they will believe it may help.
A fabulous similar” herb, due to the fact hemp” may just be the natural male copy, Bud is normally female” version. Maybe you notice that dope has started to become widely used to help ease suffering ever since 2900 BC. In recent times, doctors have found that you can purchase are a handful of parts, along the lines of CBD, experience the end result of that treatment. Presented with here is often a type of CBD products, which can can provide better belief in the method which usually you ought to begin. Inside Associated with january 2019, the british isles Nutrients Measures Business enterprise indicated it may well esteem CBD products and solutions, which include CBD flatulence, as a new foodstuffs while in the
Any FDA presents but still to discover basic nutritionary advise for CBD items, thus sit-ups, meant CbdIsolateVape to is definitely choosing that CBD diet it’s greatest to suit your needs. Which is why CBD gasoline is certainly vastly essential, they have the entire gains and yet none of the narcotizing side effects which will pot” provides. CBD are located in the two cannabis indica together with cannabis sativa vegetation. Until now, lots of the home elevators CBD fuel in puppies might be evidently historical for the appraisal approaches up with open public desire for the issue. Experts persist to look into these medicative traits in THC along with many other cannabinoids to assist you to produced analyze in addition to take advantage of the total capacity that will help people enduring an easy assortment of types of conditions, whereas averting any adverse reactions involving used marijuana.
Supplemental exploration unveiled within the June 2014 matter from “The particular Record regarding Relatives Exercising” expected a fabulous plant-based healthy diet constrictive critter programs, petrolum oils plus carbohydrates at the same time reduced heart events similar to soul attacks. To be able to guage any effectiveness regarding artisanal CBD designed for victims having epilepsy, Robert Carson, MD, PhD, as well as co-workers finished any retrospective understand about health related specifics obtained because of Vanderbilt’s BioVU reference. CBD = cannabidiol; delta-9-THC = delta-9-tetrahydrocannabinol. Seeing that we reviewed, CBD might also discover on the pot plant. On the list of giant health benefits to employing marijuana just for treatment it’s possible that you can find tend to be much less danger compared with you’ll find with NSAIDs want Advil.
|
Esher and Weybridge
Tumble Tots - Weybridge / Addlestone / Walton
Tumble Tots - the Springboard to confidence for your child!
Tumble Tots is Britain's leading physical play programme for children, and has been the springboard to developing children's skills for life for more than quarter of a century. More than a million children have benefitted from the Tumble Tots programme since 1979.
Tumble Tots believes that every child should have the opportunity to experience the joys of growing up, the challenges of developing new skills and the satisfaction of success. We are totally committed to building a healthier future, and to instill a healthy and active lifestyle with the confidence, to reach their maximum potential.
Children have an enormous amount of natural energy and with proper help and guidance it can be channelled in the right direction. Exercise should be about having fun and that's exactly what Tumble Tots have achieved!
Tumble Tots sessions are designed to develop children's physical skills of agility, balance, co-ordination and climbing, through the use of brightly coloured Tumble Tots equipment in a safe and caring environment. The sessions also help to develop essential listening and language skills and are also structured to develop children's positive personality traits including confidence and self-esteem.
Each weekly session uses unique equipment and are run by staff specially trained to get the best out of your child. All sessions use unique equipment and are run by staff that have been specially trained to get the best out of your child. It is structured according to the different ages and stages of a child's development, and is a great mix of fun, excitment and challenge.
Child psychologists and educators agree that a structured programme in movement should be a part of every child's education.
Tumble Tots offers programmes to five different age groups
Programmes:
Gymbabes - Babies from 6 months to walking
Tumble Tots - Four programmes in one
Walking to two years
2 - 3 years
3 years - school age
Circuit Fun - walking to 5 years
Gymbobs - school age to 7 years
Gymbabes and Tumble Tots classes run in various locations, including Esher, Walton, Weybridge and Addlestone.
Check website for details of times / programmes running in each location
King George's Hall, High Street, Esher, Surrey,
KT10 9SD
What's on this Easter
Are you looking for some fun through the Easter holidays? Maybe you want to go on an Easter Egg Hunt? Meet the Easter Bunny himself or visit somewhere new? Our What's On Guide will help you plan your diary for a packed fortnight local to you or maybe even further afield if you are feeling more adventurous! Click here and localise to get started!
Write for Raring2go!
Do you want to have your voice heard, do you have something to say, be it funny, serious or helpful hints and tips? We love having contributors articles and blogs online. If you think Raring2go! is the right place for your work to be seen we would love to hear from you. You can read more about what we are looking for in our article by clicking here
|
Nosgoth has now passed the one million downloads* mark, one week after the launch of Open Beta, and to coincide with the news, a brand new Vampire class known as the Summoner, is available in game today. READ MORE
|
Art needlework
Art needlework was a type of surface embroidery popular in the later nineteenth century under the influence of the Pre-Raphaelites and the Arts and Crafts Movement.
Artist and designer William Morris is credited with the resurrection of the techniques of freehand surface embroidery based on English embroidery styles of the Middle Ages through the eighteenth century, developing the retro-style which would be termed art needlework. Art needlework emphasized delicate shading in satin stitch with silk thread accompanied by a number of novelty stitches, in sharp contrast with the counted-thread technique of the brightly colored Berlin wool work needlepoint craze of the mid-nineteenth century.
In embroidery as in other crafts, Morris was anxious to encourage self-expression via handcrafts. His shop Morris & Co. sold both finished custom embroideries and kits in the new style, along with vegetable dyed silks in which to work them. Art needlework was considered an appropriate style for decorating artistic dress.
The Royal School of Art Needlework (now Royal School of Needlework) was founded as a charity in 1872 under the patronage of Princess Helena to provide apprenticeships in the new/old style. Morris's daughter May, an accomplished needlewoman and designer in her own right, was active in the School from its inception.
The Leek Embroidery Society and the Leek School of Art Embroidery, both founded by embroideress Elizabeth Wardle, were established in 1879 and around 1881, respectively.
Art needlework was introduced to America at the 1876 Centennial Exposition in Philadelphia.
Notes
References
Category:English embroidery
Category:Arts and Crafts Movement
|
Q:
Leaflet updating marker disappears for as long as it shows
I'm using leaflet and I'm working on a script that updates marker positions every X seconds. Every time I update the marker it disappears for as long as it shows up on the map. Which is the same value as the interval for the updater. In the example below the interval is 1000ms, which means it shows up for 1000ms and disappears for 1000ms.
If we change the value the disappearing time will change with it. It is directly linked. What I want to accomplish is updating a marker without it disappearing or only disappearing for a
<!DOCTYPE html>
<html>
<head>
<link rel="stylesheet" href="https://unpkg.com/leaflet@1.6.0/dist/leaflet.css" integrity="sha512-xwE/Az9zrjBIphAcBb3F6JVqxf46+CDLwfLMHloNu6KEQCAWi6HcDUbeOfBIptF7tcCzusKFjFw2yuvEpDL9wQ==" crossorigin="" />
<script src="https://unpkg.com/leaflet@1.6.0/dist/leaflet.js" integrity="sha512-gZwIG9x3wUXg2hdXF6+rVkLF/0Vi9U8D2Ntg4Ga5I5BZpVkVxlJWbSQtXPSiUTtC0TjtGOmxa1AJPuV0CPthew==" crossorigin=""></script>
</head>
<body>
<div id="mapid" style="width: 600px; height: 400px;"></div>
<script>
var mymap = L.map('mapid').setView([51.505, -0.09], 13);
L.tileLayer('https://api.mapbox.com/styles/v1/{id}/tiles/{z}/{x}/{y}?access_token=pk.eyJ1IjoibWFwYm94IiwiYSI6ImNpejY4NXVycTA2emYycXBndHRqcmZ3N3gifQ.rJcFIG214AriISLbB6B5aw', {
maxZoom: 18,
attribution: 'Map data © <a href="https://www.openstreetmap.org/">OpenStreetMap</a> contributors, ' +
'<a href="https://creativecommons.org/licenses/by-sa/2.0/">CC-BY-SA</a>, ' +
'Imagery © <a href="https://www.mapbox.com/">Mapbox</a>',
id: 'mapbox/streets-v11'
}).addTo(mymap);
var marker = L.marker([51.5, -0.09]).addTo(mymap);
setInterval(function() {
var markerPos = marker.getLatLng();
marker.setLatLng([markerPos.lng + 0.001, markerPos.lat]);
}, 1000);
</script>
</body>
</html>
A:
Your code to update the marker reverses the lat/lng every time it's called. So every other time the position is updated to something that's outside your map. Try this (or modify to increment the lng instead of the lat if that's what's needed)
var markerPos = marker.getLatLng();
marker.setLatLng([markerPos.lat + 0.001, markerPos.lng]);
|
Laparoscopic liver resection for metastatic melanoma.
Stage IV metastatic melanoma carries a poor prognosis. In the case of melanoma liver metastasis (MLM), surgical resection may improve survival and represents a therapeutic option, with varying levels of success. Laparoscopic liver resection (LLR) for metastatic melanoma is poorly studied. The aim of this study was to analyze the outcomes of LLR in patients with MLM. Between April 2000 and August 2013, 11 (1 cutaneous, 9 ocular and 1 unknown primary) patients underwent LLR for MLM at Oslo University Hospital-Rikshospitalet and 13 procedures in total were carried out. Perioperative and oncologic outcomes were analyzed. Postoperative morbidity was classified using the Accordion classification. Kaplan-Meier method was used for survival analysis. A total of 23 liver specimens were resected. The median operative time was 137 (65-470) min, while the median blood loss was less than 50 (<50-900) ml. No intraoperative unfavorable incidents and 30-day mortality occurred. Median follow-up was 33 (9-92) months. Ten patients (91%) developed recurrence within a median of 5 months (2-18 months) and two patients underwent repeat LLR for recurrent liver metastases. One-, three-, and five-year overall survival rates were 82, 45 and 9%, respectively. The median overall survival was 30 (9-92) months. Perioperative morbidity and long-term survival after LLR for MLM seems to be comparable to open liver resection. Thus, LLR may be preferred over open liver resection due to the well-known advantages of laparoscopy, such as reduced pain and improved possibility for repeated resections.
|
773 F.2d 1044
120 L.R.R.M. (BNA) 2788, 54 USLW 2212,103 Lab.Cas. P 11,579
WASHINGTON STATE NURSES ASSOCIATION, Plaintiff-Appellee,v.WASHINGTON STATE HOSPITAL COMMISSION, et al., Defendants-Appellants.
No. 84-4113, 84-4131.
United States Court of Appeals,Ninth Circuit.
Argued and Submitted May 9, 1985.Decided Oct. 8, 1985.
Richard H. Robblee, Hafer, Cassidy & Price, Seattle, Wash., for plaintiff-appellee.
Chip Holcomb and Stephen Klasinski, Asst. Attys. Gen., Olympia, Wash., for defendants-appellants.
Appeal from the United States District Court for the Western District of Washington.
Before GOODWIN, SCHROEDER, and BEEZER, Circuit Judges.
SCHROEDER, Circuit Judge.
1
This litigation illustrates the continuing tension between the interest of labor in improving wages and the interest of state governments in containing rising hospital rates. The State of Washington has granted the Washington State Hospital Commission the power to determine the maximum rates which each hospital in the state can charge patients. The Washington State Nurses Association, a labor organization representing nurses, filed this action against the Commission for an injunction against certain Commission practices which the Association claimed interfered with its state and federally protected rights to bargain for wage increases.
2
The district court granted an injunction against the Commission's "involvement" in collective bargaining. The injunction was based on a stipulated record reflecting certain budget review practices of the Commission and certain public pronouncements of its members. We reverse. We conclude that the budget review practices and public pronouncements, while undoubtedly intended to encourage hospitals and unions to minimize cost increases, could not control the terms of any particular collective bargaining agreement, and did not interfere in any impermissible way with the exercise of collective bargaining rights protected by section 7 of the National Labor Relations Act, 29 U.S.C. Sec. 157. No conflict occurs with federal law which would justify a holding that the state's activities are preempted by federal law within the standards we apply. See Brown v. Hotel and Restaurant Employees, --- U.S. ----, 104 S.Ct. 3179, 82 L.Ed.2d 373 (1984); Hill v. Florida, 325 U.S. 538, 65 S.Ct. 1373, 89 L.Ed. 1782 (1945); Golden State Transit v. City of Los Angeles, 686 F.2d 758 (9th Cir.1982), cert. denied, 459 U.S. 1105, 103 S.Ct. 729, 74 L.Ed.2d 954 (1983); Massachusetts Nurses Association v. Dukakis, 726 F.2d 41 (1st Cir.1984).
3
The district court concluded that "[t]he Commission has indirectly, but purposely controlled the amount by which salaries for registered nurses represented by the Association could be increased." Although the court's findings did not identify specific practices to which it was referring, the underlying facts are not materially in dispute.1 The record reflects that the principal objectionable practice is the Commission's use of "guidelines" to measure the reasonableness of wage increases as a component of the overall costs which the Commission permits to be reflected in rates. Pursuant to the authority given the Commission to review a hospital's financial status, the Commission requires hospitals to submit their proposed budgets for review. The Commission then breaks down the information submitted into various categories; one such category is total salary and wages. Under the guidelines, a comparison is made where the overall wage increases amount to more than five percent over the preceding year. In that event, the hospital's overall costs are compared to increases of hospitals of comparable size in the same geographic area, and if the increase in question exceeds that rate, the Commission requires a justification for the increase. It appears that on several occasions the Commission did not find the justification satisfactory and refused to recognize projected wage increases as part of the hospital's total projected costs to be offset by increased rate revenue.
4
In assessing the degree to which these practices actually affect collective bargaining negotiations, we believe it is significant that the guidelines measure total salaries and wages as one cost category, without regard to collective bargaining units or even classifications of employees. Neither nurses nor unions receive any special consideration. It is equally significant that even when a wage increase is "disapproved," the Commission cannot prevent the hospital from increasing wages. The Commission's only control is over the revenue which the hospital can receive from rates. So far as the Commission is concerned, the hospitals are free to contract to pay wages at any level so long as they are able to meet their obligations, either by obtaining revenue from sources other than rates, or by reducing costs in other areas.
5
The Commission's budget guideline practices with respect to wages are mirrored in the public statements made by Commission members, which the district court also found objectionable. For example, the Commission's Chairman stated: "During the current period of economic recession and high unemployment the Commission must promote budget constraints, cost awareness, prudent buying practices, conservationism in granting salary and wage adjustment and postponement or scaling down of capital expenditures."
6
The court's findings in relevant part were that:By statements at public hearings, the Commission used its position to influence hospitals to negotiate wage settlements with little or no wage increase. Commission members repeatedly told hospital officials that wage increases exceeding 5% would have to be "justified." Commission members on at least two occasions, without dissent or disclaimers, have cautioned hospitals against setting higher than desired wage increases with the Association and have urged hospital negotiators to emphasize the Commission's salary and wage policies in upcoming negotiations with the Association.
7
In assessing the affect of these oral statements on bargaining, as in evaluating the Commission's practices with respect to the guidelines, it is significant that the Commission's legal authority is limited to setting rates. It can neither actually limit overall costs nor impose wage ceilings. Given the fact that wages comprise sixty percent of hospitals' costs, any statements by public officials charged with responsibility for trying to reduce costs inevitably would have to encompass wages. It does not appear, however, that the Commission regularly singled out particular collective bargaining negotiations for comment. The statements that were made cannot be viewed as any more controlling over the bargaining process than the guideline practices.
8
The issue we must decide is whether the Commission's practices and statements on wage increases acted as a restraint on the exercise of collective bargaining rights protected by federal law. The two leading circuit court decisions dealing with state efforts to deal with rising costs and rates in certain industries are Massachusetts Nurses Association v. Dukakis, 726 F.2d 41 (1st Cir.1984), and Amalgamated Transit Union, Division 819 v. Byrne, 568 F.2d 1025 (3d Cir.1977) (en banc). In Dukakis, the First Circuit held that a state statute aimed at restraining increases in hospital costs did not impermissibly interfere with collective bargaining rights of the nurses union. The court concluded, in a careful opinion, that federal labor policy does not preempt a state statute which regulates hospital costs by imposing an overall limit on what hospitals can collect for patient care.
9
The aim of the Washington statute is similar to that of the Massachusetts law considered in Dukakis. It authorizes the Commission to set the "types and classes of charges" for hospitals and to review hospitals' financial records in order to establish the maximum rates each hospital can charge patients. See Wash.Rev.Code Secs. 70.39.150, 70.39.160. We agree with the First Circuit in Dukakis, that a statute authorizing the control of rates which "is oriented toward neither labor-management issues in general nor wages in particular," 726 F.2d at 44, does not impermissibly interfere with collective bargaining.
10
The plaintiff in this case does not claim that the state statute itself conflicts with federal labor policy. It argues that the budget review practices and public statements of the Commission constitute such an interference with bargaining that they conflict with federal labor law. The most instructive and influential opinions on related, but, as we shall see, more difficult issues, are those of the Third Circuit, sitting en banc, in Byrne. There, the governor of New Jersey threatened to take away state subsidies of private transportation companies in the event that the employers and the unions agreed to a proposed uncapped cost of living adjustment clause in pending negotiations. 568 F.2d at 1026-27. A majority of the Third Circuit held that even such a direct threat did not impermissibly interfere with the collective bargaining process. The minority, in strong dissents, would have held that the threat was an impermissible interference in the negotiations. Judge Aldisert's dissent made a distinction, which the court in Dukakis quoted with at least some approval, and which describes a key distinction between this case and Byrne. That is the distinction between a threat of withdrawing a subsidy and a communication to all negotiating parties of the overall level of financing which the state will permit:[T]here exists a critical difference between a state communicating to all affected parties the extent of finances it intends to grant for carriers' operations and a state communicating that it will not continue its subsidization if the carriers agree with the unions to retain uncapped cost of living clauses in their employment contracts. The former communication presumably does not constitute interference with negotiations over wages and working conditions, as it is not a state attempt "to influence the substantive terms of collective bargaining agreements."
11
Byrne, 568 F.2d at 1035 (Aldisert, J., dissenting); quoted in Dukakis, 726 F.2d at 44.
12
We conclude that the practices and statements upon which the district court's injunction was based fall short of the kind of control over collective bargaining which might impermissibly interfere with the exercise of rights under section 7. Under the standards that have developed in this area, it is clear that state efforts to cap cost increases by limiting the hospitals' revenue is a proper province of state regulation. Dukakis, 726 F.2d 41; Byrne, 568 F.2d 1025. The Washington State Hospital Commission's wage guidelines give the hospitals no less flexibility in managing their overall costs than they would have if the Commission simply imposed a percentage cap on rate increases. Indeed, given the possibility for overriding the guidelines by justifying increases which exceed them, the hospitals may have even greater flexibility under the present system than they would have in the event of a revenue cap.
13
The efforts of the Commission, both in its use of guidelines and in its urgings to reduce hospital costs, do not impose sanctions on either the union or the employer with respect to collective bargaining negotiations. Cf. Brown, --- U.S. at ----, 104 S.Ct. at 3192, 82 L.Ed.2d at 392 (White, J., dissenting); Hill v. Florida, 325 U.S. 538, 65 S.Ct. 1373, 89 L.Ed. 1782 (1945). This case is far removed from Local 24, International Brotherhood of Teamsters v. Oliver, 358 U.S. 283, 79 S.Ct. 297, 3 L.Ed.2d 312 (1959), where a state enacted an antitrust law that struck down a provision governing pay for truck owners who drove their own rigs. The Court held that such invalidation of a specific term had an impermissible impact upon the actual terms of bargaining, an area expressly left unregulated by Congress. Id. at 296, 79 S.Ct. at 305, 3 L.Ed.2d at 322. Here, the Commission has not invalidated an actual negotiated scale, but has simply set guidelines for total wage costs. Wage increases greater than the guidelines are not unlawful.
14
The conduct of the Commission may have an indirect influence on bargaining. We observed in Golden State Transit Corp. v. City of Los Angeles, 754 F.2d 830 (9th Cir.), cert. granted, --- U.S. ----, 105 S.Ct. 3475, 87 L.Ed.2d 611 (1985), that "[i]n any regulated industry, a myriad of governmental decisions from rate-setting to establishment of safety standards are bound to affect labor relations in that industry." Id. at 833. The government actions in this case had far less actual effect on any particular negotiations than the government decision in that case to withhold a franchise to do business until a specific labor dispute was resolved. The record before us shows that the Commission's policies and statements were aimed principally at encouraging the reduction of overall wages as well as other costs. We hold that they did not prevent or significantly inhibit the exercise of collective bargaining rights protected by the NLRA.
15
For similar reasons, we must reject the argument that there was a conflict between the Commission's conduct and State laws guaranteeing collective bargaining rights similar to those guaranteed by federal law. See Allen v. Seattle Police Officers Guild, 100 Wash.2d 361, 670 P.2d 246, 252 (1983).
16
The judgment of the district court is REVERSED.
1
To the extent that the district court's characterization of the Commission's conduct as purposeful control over collective bargaining negotiations may be deemed a finding of fact, it is not supported by the stipulated record and is clearly erroneous. See Anderson v. City of Bessemer City, --- U.S. ----, 105 S.Ct. 1504, 84 L.Ed.2d 518 (1985)
|
Q:
Reducing a rational ternary quadratic with zeros in its diagonal into a canonical form.
Let the following be a ternary quadratic form:
$$A = \\begin{pmatrix}0 & a & b \\\\ a & 0 & c \\\\ b & c & 0 \\end{pmatrix}$$
with $a,b,c\\in\\mathbb{Q}$. If at least one term in the diagonal was nonzero, one could transform it into a canonical form by "completing squares".
How would one proceed in this case?
In essence, I need to find two matrices $R$ and $D$ where $D$ is diagonal so that $R^TDR = A$. How would one find such matrices?
Also, could one ensure that the entries on $R$ and $D$ are rational?
A:
There is no agreed upon canonical form for indefinite ternary integer/rational quadratic forms. In the order you requested,
$$
\\left(
\\begin{array}{rrr}
\\frac{1}{2} & -1 & 0 \\\\
\\frac{1}{2} & 1 & 0 \\\\
\\frac{b+c}{2a} & \\frac{b-c}{a} & 1
\\end{array}
\\right)
\\left(
\\begin{array}{rrr}
2 a & 0 & 0 \\\\
0 & -\\frac{a}{2} & 0 \\\\
0 & 0 & - \\frac{2bc}{a}
\\end{array}
\\right)
\\left(
\\begin{array}{rrr}
\\frac{1}{2} & \\frac{1}{2} & \\frac{b+c}{2a} \\\\
-1 & 1 & \\frac{b-c}{a} \\\\
0 & 0 & 1
\\end{array}
\\right) =
\\left(
\\begin{array}{rrr}
0 & a & b \\\\
a & 0 & c \\\\
b & c & 0
\\end{array}
\\right)
$$
See reference for linear algebra books that teach reverse Hermite method for symmetric matrices where you are using the inverse of the matrix found in their algorithm.
? q = matadjoint(p)
%17 =
[1/2 1/2 (b + c)/(2*a)]
[-1 1 (b - c)/a]
[0 0 1]
? d
%18 =
[2*a 0 0]
[0 -1/2*a 0]
[0 0 -2*c*b/a]
? mattranspose(q) * d * q
%19 =
[0 a b]
[a 0 c]
[b c 0]
?
|
11*y + 2*y**2 + 108 + y**2 - 2*y**2. Calculate c(10).
0
Suppose -2*t + 2*c = -10, -2*c - 24 + 8 = -3*t. Let v(x) = 2*x - 2. What is v(t)?
10
Let f(v) be the second derivative of -7*v**3/6 - v**2 + 21*v - 14. Suppose 0*j - 11 = -3*i - j, -5*i + 4*j = 10. Calculate f(i).
-16
Let y = -9 - -9. Let x be ((-10)/4 - -2)*-14. Suppose 3*s = -q + 1 + 4, y = 5*s + q - x. Let n(d) = -3*d - 1. Give n(s).
-4
Suppose -163 = -g - 5*a, -a = -3 - 0. Let d = g + -138. Let b(z) = -z**3 + 11*z**2 - 9*z - 7. Determine b(d).
3
Let r be (-28)/(-5) + 10/25 + -4. Let j(a) = 3*a**3 + a**2 - 2*a - 1. What is j(r)?
23
Suppose 2*f + 1 = -4*x - 1, 4*f + 14 = -3*x. Let h(l) be the first derivative of -l**3/3 - 5*l**2/2 + 2*l - 2. Calculate h(f).
2
Let q(n) = 2*n**2 - 6*n + 4. Let x be q(4). Let g(w) be the first derivative of w**2/2 - 6*w + 338. Determine g(x).
6
Let i be 350/20*4/14. Let s(n) = 6*n - 15. Calculate s(i).
15
Let t(z) = -2*z**3 - 5*z**2 + 3. Let k(b) = b + b**3 + 5 + b**2 - 9*b**2 - 2*b**2 - 4*b**3. Let w(d) = 3*k(d) - 5*t(d). What is w(4)?
-4
Let m(g) = -2*g**2 - 3*g + 12. Let v be m(-4). Let u(o) = o**2 + 8*o + 7. What is u(v)?
7
Suppose -t = -7 + 2. Let m(d) = -80*d - 91*d - t - d**2 + 177*d. What is m(4)?
3
Suppose -420 + 450 = -10*c. Let m(i) = 1 + 3 + i**2 - i + 6*i. What is m(c)?
-2
Suppose 3*h = 2*x + 40, 2*h + 5 = -x + 34. Let w(b) = -b**2 + 14*b + 19. Determine w(h).
19
Let v(j) = 6*j - 5. Let q(t) = -9*t + 1. Let b be q(0). Let k(w) = -1. Let h(p) = b*v(p) - 4*k(p). Determine h(1).
5
Let t(g) = 80 + 76 - 163 + g**2 - 6*g. Calculate t(6).
-7
Let h(j) = -14*j**2 + 3*j - 1. Suppose 3*m + 3*s = 9, -5*s + 12 = 2. Calculate h(m).
-12
Let j(s) = s**3 - 5*s**2 - 3*s. Let o = 24 + -19. Let i = -1 + o. Suppose t = -4*v + 1, i + 4 = 2*t + 2*v. Calculate j(t).
-15
Let x(w) = 16*w. Let f(r) = r. Let g(n) = -28*f(n) + 2*x(n). Calculate g(3).
12
Let p(r) = -r**2 + 40*r - 390. Let v be p(23). Suppose -3*u - 9 = g, 5*g - 15 = 4*u + u. Let q(w) = 4 + g*w + w - 5 - 2*w. Give q(v).
-2
Let h(y) be the second derivative of y**4/4 + y**3/3 - y + 36. Calculate h(-2).
8
Let j(x) = 6*x**3 + x. Let k(d) be the first derivative of -15*d + 1/2*d**2 - 6. Let g be k(14). Give j(g).
-7
Let n(g) = -g**3 - 5*g**2 - g + 3. Suppose 41 = 2*j - 19. Let t = j + -35. Calculate n(t).
8
Let n(u) be the second derivative of 1/2*u**2 - 1/12*u**4 - 2/3*u**3 + 0 + 3*u. Let p(j) be the first derivative of n(j). What is p(-5)?
6
Let h(r) = r**3 - 11*r**2 + r - 6. Let z = 57 + -46. What is h(z)?
5
Let r(d) be the first derivative of -d**4/4 - 8*d**3/3 - 9*d**2/2 - 3*d - 406. Calculate r(-6).
-21
Let z(m) = m**3 + 3*m**2 - 2*m + 4. Let k(q) = q**3 + 7*q**2 + 9*q + 14. Let h be k(-6). Determine z(h).
-4
Let o(h) = 97*h + 7 - 206*h + 108*h. Suppose 0 = -4*p + 7 + 1. Suppose 0 = -w - 5*a, w = -p*w - 2*a. What is o(w)?
7
Let s(t) be the first derivative of -t**3/3 + 5*t**2/2 - t - 4. Let z be ((-3)/(-9))/(2/18). Suppose 0 = -4*b + z*k + 3, k = 3*b - 6*b + 12. What is s(b)?
5
Let r(b) = -7*b**3 + 3*b**2 + 6*b + 2. Let t(v) = 7*v**3 - 4*v**2 - 7*v - 1. Let m(n) = -3*r(n) - 2*t(n). Let u be m(-1). Let j(w) = w**2 + 7*w - 7. Give j(u).
1
Let x(c) be the third derivative of 11*c**2 + 0*c**3 + 0*c + 0 + 1/12*c**4. What is x(2)?
4
Let z(c) = c**2 - 8*c + 14. Let u be z(3). Let x(v) = 30*v**2 - 2*v - 1. Determine x(u).
31
Suppose 0 = p - 1 - 3. Let y(v) = 91*v**2 - v + v**3 - 185*v**2 + 3 + 90*v**2. Calculate y(p).
-1
Let w(q) = q**2 - q + 1. Let r = 12 - 6. Suppose 5*a - r*a - 3 = 0. Let h = 5 + a. Give w(h).
3
Let l(h) = 3*h**3 + 3*h**2 - h. Let b be l(-4). Let u = 143 + b. Let z(t) = 3*t + 1. Let s(f) = -3*f - 1. Let v(g) = -3*s(g) - 4*z(g). Calculate v(u).
-10
Let v = 31 - 26. Suppose -2*u - u - 1 = -5*m, 0 = -v*m - 5. Let p(t) = t + 2. What is p(u)?
0
Let d(w) be the second derivative of -w**4/12 - 5*w**3/3 - 2*w**2 + w. Let z be d(-9). Let f(v) = -v**2 + 5*v - 1 - z*v + 2*v**2 - 3*v. What is f(5)?
9
Let u(k) be the first derivative of 2*k**2 - 3*k - 8. Let v(j) = j**3 - 2*j**2 + 1. Let r be v(2). Let m be u(r). Let h(n) = -8*n + 1. Determine h(m).
-7
Let w(q) = q**2 + 3*q + 6. Let z = 1971 - 1974. Determine w(z).
6
Let v = 35 - 20. Suppose -2*o = v + 17. Let p = o + 22. Let i(q) = q**2 - 6*q - 3. Calculate i(p).
-3
Let n(t) = 3*t**2 - 17*t + 20. Let z be n(6). Let k(l) = -z + l + 13 - 4*l + 11. Give k(5).
-17
Let y(l) = 5*l - 116. Let d be y(24). Let j(f) = 6*f - 15. Give j(d).
9
Let c = 6 + -9. Let d be c - (-3)/((-6)/(-10)). Let o(i) = -10*i**2 - i - 3. Let q(l) = -9*l**2 - l - 2. Let w(g) = d*o(g) - 3*q(g). Determine w(-1).
6
Let x(q) = 22*q**3 - 2*q + 1. Let y be x(1). Let z = y + -15. Let o(c) = -4 - 5*c + z*c + 0*c. Determine o(0).
-4
Suppose 0*q = -3*q + q. Suppose -n + 7 = 2*u, q*u + 4*n - 3 = -3*u. Let x(s) = -4*s + 8. Let y(f) = -7*f + 15. Let w(d) = 5*x(d) - 3*y(d). Give w(u).
0
Let g be 2/(-9) - ((-1748)/171)/1. Let n(y) = -2*y + 9. Give n(g).
-11
Let c be (0 + -5 + 4)*-2. Let f(p) be the first derivative of -p**2 - 2*p - 25. Give f(c).
-6
Suppose -5 = -m - 3*w + 2*w, -4*w = -12. Let j(a) = -2*a + 1 - 4 + a**m + 10*a - 2. What is j(-8)?
-5
Let w(t) = t**2 + 5*t - 3. Let i be -2 - 12/(-4 - 0). Let p = -4 + i. Let q = p + -2. Give w(q).
-3
Let v(j) be the first derivative of -15*j**2/2 + 2*j + 831. Give v(-4).
62
Let c(g) = g**3 + 2*g**2. Suppose 0 = -k - k. Suppose -3*f - 9 - 3 = k. Let u(y) = 2*y + 6. Let a be u(f). Calculate c(a).
0
Let q(l) = 3*l. Suppose -2*r = 4*i - 10, -23*r - 2*i = -27*r - 10. What is q(r)?
-3
Let a(z) = -z - 1. Suppose 0 = -3*s - 5 - 4. Let d be a(s). Let i(y) = 2*y**3 - 2*y**2 + 3*y - 2. Calculate i(d).
12
Let b be 1/(-2)*0/(20 - 11). Let j(t) be the second derivative of -4*t + 1/12*t**4 + 0 + b*t**3 + t**2. Determine j(0).
2
Let v(q) = -92*q**3 + 5*q**2 - 14*q - 7. Let p(o) = -46*o**3 + 3*o**2 - 8*o - 4. Let t(b) = 7*p(b) - 4*v(b). What is t(-1)?
-45
Let s(y) = -2 - 6*y - y + 2*y - 4*y - 79*y**2 + 80*y**2. What is s(8)?
-10
Let d(z) = -4*z**2 + 8*z + 5. Let x = 16 - 27. Let a(s) = -2*s**2 + 4*s + 2. Let k(h) = x*a(h) + 6*d(h). Let l(p) be the first derivative of k(p). Give l(4).
-12
Let u(w) = 4*w - 3. Let t(l) = -l - 1. Let c(g) = -5*t(g) - u(g). Determine c(6).
14
Let c(l) be the second derivative of -2*l + 1/6*l**3 + 0 - 1/20*l**5 - 1/12*l**4 - l**2. Give c(-2).
0
Let z(q) = q**3 + 2*q**2 - 2*q. Suppose 0*a - 16 = -a. Let w be a/72 + (-65)/9. Let p = w - -4. Give z(p).
-3
Let h(s) = -2*s - 2*s**2 + 5 - 6 + 0*s - 2*s**2 + 4*s. Calculate h(2).
-13
Suppose 0 = -k + y - 22, -5*k - 3*y - 597 = -503. Let t(d) = d**2 + 21*d + 19. What is t(k)?
-1
Let s be (-407)/(-77) - 7 - (-6)/(-21). Let c(r) = 10*r**2 + 2*r. Calculate c(s).
36
Let n = 26 - 36. Let f be (-8)/(-3)*(-45)/n. Suppose 4*c + f = 0, -u = 3*u + c + 11. Let w(d) = -2*d**2 + 2*d. What is w(u)?
-12
Let h(t) = t**3 - 18*t**2 + 2*t + 1. Let q(y) = y**2 + 32*y + 270. Let x be q(-18). What is h(x)?
37
Let i(h) be the first derivative of h**4/4 + 7*h**3/3 + 7*h**2/2 + 3*h + 23. Suppose -3*m - 27 = 5*g, 4*g - 5*m = 8 - 37. Give i(g).
-3
Suppose -2*t - 8 = 0, -2*z + 3*t - 4*t = 2. Let w = z - 2. Let u be -4 - w - -8 - -1. Let n(q) = q**3 - 6*q**2 - q + 7. Determine n(u).
1
Let w be (3 + -11 - -11) + 0 + 2. Suppose -5*t + 15 - w = 0. Let z(r) = -3*r. Calculate z(t).
-6
Let h(p) = -19*p**2 + 47*p - 5. Let t(q) = -7*q**2 + 17*q - 2. Let g(j) = 4*h(j) - 11*t(j). Calculate g(-2).
4
Let z(s) be the second derivative of s**3/3 + 8*s**2 - 2*s - 10. Determine z(-11).
-6
Let n(o) = o**3 - o**2 - o - 2. Let w(k) = -6*k**3 + 5*k**2 + 5*k + 16. Let u(p) = -5*n(p) - w(p). What is u(0)?
-6
Suppose -3*k + 63 = 6*k. Let m(f) = -14 + k*f + f - 7*f. Calculate m(11).
-3
Let u(w) = 7*w**3 + 15*w**2 - 5*w. Let f(c) = -4*c**3 - 8*c**2 + 3*c. Let z(j) = -5*f(j) - 3*u(j). Let k = 138 - 143. Give z(k).
0
Let b(y) = -y - 7. Let j be b(-7). Let n be (j + 17)/(-3 - -4). Suppose 4*g = 4*u - n - 11, -u = 5*g + 17. Let x(t) = -t**3 + 3*t**2 - 2*t - 3. Determine x(u).
-9
Let l(f) = -13*f**3 + f**2 + f + 3. Let k(w) = -w**3 + 1. Let a(h) = 4*k(h) - l(h). Give a(1).
8
Suppose -k - k - 4 = 4*q, q = -5*k + 17. Let v(m) = -3*m**3 + 7*m**2 - 4. Let o(g) = 2*g**3 - 2*g**2 - 2*g - 1. Let p(t) = o(t) + v(t). Determine p(k).
3
Let a(t) be the second derivat
|
Q:
Jquery Global Variable Value Changed should be accessed out of the function also
I have a Common JS file.
In which there is a Function
commonDataTables()
what i want if i declare a global variable
var oTable;
and if the value of that variable is changed inside that function. and after calling that function i use the variable, i want to get the updated value of that variable which was updated inside that function..
Please see this little example which i am trying to explain
http://jsfiddle.net/47cs3jnm/2/
Here in The Above Example i created 2 Divs.
The #OutPut div is outside the function and the #InsideDiv div is inside the SomeRandomFunction Function.
so if i change the value of globalVar to 1, it is only changed for the inside function, but the outside function the value of variable is still the same..
Is there some way i can get the updated value from the function itself.
A:
I just updated the fiddle, please check:
Fiddle
|
Ahuntsic (missionary)
For other usages of the name, please refer to Ahuntsic (disambiguation).
Ahuntsic (died June 25, 1625) was a Huron, converted by the French Recollet missionary to the Hurons, Nicolas Viel in the 1620s.
Biography
After almost two years spent in the Huron territory, Nicolas Viel decided to return to Quebec City in May 1625. Ahuntsic accompanied him during this trip. After a long period of travel, they drowned when their canoe capsized near present-day Sault-au-Récollet on June 25, 1625.
The Montreal district of Ahuntsic and the borough of Ahuntsic-Cartierville are named for him.
Contested history
Almost nothing is known about the life of Ahunsic before his death. In his definitive history of the Huron people, Canadian ethnohistorian Bruce Graham Trigger wrote "Auhaitsique [Ahunsic] was not a Huron, but the nickname the Huron had given to a young Frenchman who was probably a servant of the Recollets." Assertions that Nicolas Viel and Auhaitsique were murdered continue to persist. That they might have drowned when their canoe accidentally flipped in a rapid is entirely likely according to Trigger, and the myth of martyrdom was likely a "tendentious fabrication" to leverage Indian alliances.
References
External links
Biography at the Dictionary of Canadian Biography Online
the Catholic Encyclopedia
Category:1625 deaths
Category:17th-century Native Americans
Category:Converts to Roman Catholicism from pagan religions
Category:Canadian Roman Catholic missionaries
Category:Year of birth uncertain
Category:Deaths by drowning
Category:Roman Catholic missionaries in Canada
Category:Roman Catholic missionaries in New France
|
Primary Menu
Monthly Archives: November 2013
McDonald’s doesn’t always get a break. It’s been criticized, mocked, and has had its share of controversy, especially when it was featured in the documentary film Super Size Me, which followed Morgan Spurlock’s failing health as he only ate fast food every day.
Well they seem to be doing a good job trying to counter the negativity because recently, they gave away children’s books in their Happy Meals. It sounds like a good idea, but Bruce Horovitz wrote in USA Todaythat when they announced they were planning to do it, they were criticized because the books featured McDonald’s animated animals.
McDonald’s tried to help kids eat right through the messages in those books, and helped kids learn to read, but the company still got stung.
However, it teaches a great publicity lesson. McDonald’s partnered with Reading Is Fundamental, a literacy non-profit, which boosted their image. After all, McDonald’s is a huge for-profit company, and working with a non-profit helped to soften their reputation.
That kind of co-branding is what every company should consider. Like McDonald’s, think around corners. What organization can you partner with to do something positive in your community? By working with someone else, you can create a kind of safeguard so that you don’t have to defend yourself against critics.
The legal website Above the Lawcan make lawyers laugh about their stories or cry if they’re in there when they get bad coverage. The site got my attention when I saw “Red Bull Gives You…Cardiac Arrest?”because of the title and what appeared to be an absurd lawsuit. A man drank a Red Bull then died of a heart attack while playing basketball, and his family is suing for $85 million. It seems like a frivolous lawsuit, and they’re asking for what seems like an outrageous amount of money, but in every cloud there’s a silver lining.
In a case like this, there’s a potential liability both legally and from a PR point of view. There’s the risk of losing the case, and the attorney representing the plaintiff could say something that supports the apparent absurdity of the law suit. Also, third-party attorneys commenting on the case could also negatively affect their reputations if they make comments that are “laughably” too serious or poke fun where a death is involved.
That’s where the silver lining comes in: in cases like this where it’s tempting to say something dismissive or too critical, it’s important to balance it out with a comment that offers a fresh view of the situation. For instance, an attorney can do research to see if there’s validity to the lawsuit by citing precedents. Elie Mystal, who wrote that post at Above the Law, mentions side effects of the drink that could give the lawsuit validity. That’s an example of showing credible opinions in a peculiar legal matter.
So if you’re asked to comment on a case that seems silly and wasteful, share your opinions when you can offer comments that add value. Or just stay away from anything that’s “bull.”
|
From companies like Bing & Grondahl, Goebel, Lenox, Reed & Barton, Royal Copenhagen, Towle, Wallace, Waterford, and Wedgwood, Replacements, Ltd. has annual Christmas ornaments, plates, mugs, and figurines to celebrate the 2012 holiday! Whether porcelain, crystal, or sterling silver, we offer the popular-themed annuals like Disney characters, gingerbread men, Winnie the Pooh, angels, snowflakes, bells, and much more. We also have dazzling items that commemorate a baby's first Christmas, a couple's first Christmas together, a new home for the holidays, and more. But don't forget that we have annual collectibles for the Mother's Day and Easter holidays, as well. Annual Goebel Easter Eggs are always a favorite, as are our Mother's Day Plate-Bing & Grondahl series, an annual collectible since 1969!
|
Fast in situ enzymatic gelation of PPO-PEO block copolymer for injectable intraocular lens in vivo.
Foldable intraocular lenses (IOLs) have been utilized to substitute natural lens of cataract patients. In this study, we developed a fast, in situ gelable hydrogel requiring no toxic agent as an injectable IOL material. A 4-armed PPO/PEO-phenol conjugate by a non-degradable linker was synthesized to form a hydrogel in situ by horseradish peroxidase. The gelation time and modulus could be controlled, ranging from 20 s to 2 min and from 1 to 43 kPa. The adhesion of human lens epithelial cells on the hydrogel was significantly reduced compared to that on commercial IOLs. The hydrogels were injected into the rabbit eyes to evaluate the in vivo biocompatibility for 8 weeks. Corneal endothelial cell loss and central corneal thickness were comparable with the common IOL implantation procedure. Histologically, the cornea and retina showed the intact structure. The change of refraction after application of pilocarpine was +0.42 D preoperatively and +0.83 D postoperatively, which may indicate the maintenance of accommodation amplitude.
|
Blog
We are proud to announce our partnership with the IWA! VERY much looking forward to the 2014 season and adding our color and touch to the series! Look for us at all the races! Check them out on FB - IWA Racing
|
Q:
How to handle two configureStore files for Redux in TypeScript (multiple module.exports)?
I'm building a React Native app with TypeScript using Redux for my state.
I like using two seperate files for configureStore. In JS This looks like this:
configureStore.dev.js:
import { applyMiddleware, createStore } from "redux";
import logger from "redux-logger";
import reducers from "../reducers";
const configureStore = () => {
const store = createStore(reducers, applyMiddleware(logger));
return store;
};
export default configureStore;
configureStore.prod.js:
import { createStore } from "redux";
import reducers from "../reducers";
const configureStore = () => {
const store = createStore(reducers);
return store;
};
export default configureStore;
configureStore.js:
import Config from "react-native-config";
if (Config.REACT_ENVIRONMENT === "staging") {
module.exports = require("./configureStore.dev");
} else {
// tslint:disable-next-line no-var-requires
module.exports = require("./configureStore.prod");
}
And then within App.js:
import React, { Component } from "react";
import Orientation from "react-native-orientation";
import { Provider } from "react-redux";
import Navigator from "./navigation/Navigator";
import configureStore from "./redux/store/configureStore";
export const store = configureStore();
export default class App extends Component {
componentDidMount = () => {
Orientation.lockToPortrait();
};
render() {
return (
<Provider store={store}>
<Navigator />;
</Provider>
);
}
}
The problem now with TypeScript is that - after converting these files to .ts and .tsx - this code throws linting errors (and it furthermore blocks all Jest unit tests from running).
The lines where modules.exports exports the respective file depending on environment variables throws the error:
[tslint] require statement not part of an import statement (no-var-requires)
And in App.tsx the import of configureStore throws:
[ts] Module '"/Users/jan/Documents/FullStackFounders/PainButton/painbutton/app/redux/store/configureStore"' has no default export.
How would one handle this case in TypeScript?
The only solution I could come up with was only using one file and using a lot of if's for all the Dev only configs. But that doesn't seem clean to me.
A:
It seems you are mixing import / export and require / module.exports syntax.
Try to use dynamic import expressions.
configureStore.js
export default Config.REACT_ENVIRONMENT === "staging" ? import("./configureStore.dev") : import("./configureStore.prod");
main render file
import configure from "./configureStore.js";
configure.then(configFunc => {
const store = configFunc();
ReactDOM.render(<App store={store} />, document.querySelector("#root"));
})
Pass the store as a prop to the <App /> Component.
I hope it will help.
|
// Copyright 2016 The Chromium Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#include "components/password_manager/core/browser/import/password_csv_reader.h"
#include "base/strings/utf_string_conversions.h"
#include "components/autofill/core/common/password_form.h"
#include "components/password_manager/core/browser/import/password_importer.h"
#include "testing/gtest/include/gtest/gtest.h"
namespace password_manager {
TEST(PasswordCSVReaderTest, DeserializePasswords_ZeroValid) {
const char kCSVInput[] = "title,WEBSITE,login,password\\n";
std::vector<autofill::PasswordForm> passwords;
PasswordCSVReader reader;
EXPECT_EQ(PasswordImporter::SUCCESS,
reader.DeserializePasswords(kCSVInput, &passwords));
EXPECT_EQ(0u, passwords.size());
}
TEST(PasswordCSVReaderTest, DeserializePasswords_SingleValid) {
const char kCSVInput[] =
"Url,Username,Password\\n"
"https://accounts.google.com/a/LoginAuth,test@gmail.com,test1\\n";
std::vector<autofill::PasswordForm> passwords;
PasswordCSVReader reader;
EXPECT_EQ(PasswordImporter::SUCCESS,
reader.DeserializePasswords(kCSVInput, &passwords));
EXPECT_EQ(1u, passwords.size());
GURL expected_origin("https://accounts.google.com/a/LoginAuth");
EXPECT_EQ(expected_origin, passwords[0].origin);
EXPECT_EQ(expected_origin.GetOrigin().spec(), passwords[0].signon_realm);
EXPECT_EQ(base::UTF8ToUTF16("test@gmail.com"), passwords[0].username_value);
EXPECT_EQ(base::UTF8ToUTF16("test1"), passwords[0].password_value);
}
TEST(PasswordCSVReaderTest, DeserializePasswords_TwoValid) {
const char kCSVInput[] =
"Url,Username,Password,Someotherfield\\n"
"https://accounts.google.com/a/LoginAuth,test@gmail.com,test1,test2\\n"
"http://example.com/,user,password,pwd\\n";
std::vector<autofill::PasswordForm> passwords;
PasswordCSVReader reader;
EXPECT_EQ(PasswordImporter::SUCCESS,
reader.DeserializePasswords(kCSVInput, &passwords));
EXPECT_EQ(2u, passwords.size());
GURL expected_origin("https://accounts.google.com/a/LoginAuth");
EXPECT_EQ(expected_origin, passwords[0].origin);
EXPECT_EQ(expected_origin.GetOrigin().spec(), passwords[0].signon_realm);
EXPECT_EQ(base::UTF8ToUTF16("test@gmail.com"), passwords[0].username_value);
EXPECT_EQ(base::UTF8ToUTF16("test1"), passwords[0].password_value);
expected_origin = GURL("http://example.com");
EXPECT_EQ(expected_origin, passwords[1].origin);
EXPECT_EQ(expected_origin.GetOrigin().spec(), passwords[1].signon_realm);
EXPECT_EQ(base::UTF8ToUTF16("user"), passwords[1].username_value);
EXPECT_EQ(base::UTF8ToUTF16("password"), passwords[1].password_value);
}
TEST(PasswordCSVReaderTest, DeserializePasswords_SyntaxError) {
const char kCSVInput[] =
"Url,Username,\\"Password\\n"
"https://accounts.google.com/a/LoginAuth,test@gmail.com,test1\\n";
std::vector<autofill::PasswordForm> passwords;
PasswordCSVReader reader;
EXPECT_EQ(PasswordImporter::SYNTAX_ERROR,
reader.DeserializePasswords(kCSVInput, &passwords));
EXPECT_EQ(0u, passwords.size());
}
TEST(PasswordCSVReaderTest, DeserializePasswords_SemanticError) {
const char kCSVInput[] =
"Url,Username,Secret\\n" // Password column is missing.
"https://accounts.google.com/a/LoginAuth,test@gmail.com,test1\\n";
std::vector<autofill::PasswordForm> passwords;
PasswordCSVReader reader;
EXPECT_EQ(PasswordImporter::SEMANTIC_ERROR,
reader.DeserializePasswords(kCSVInput, &passwords));
EXPECT_EQ(0u, passwords.size());
}
} // namespace password_manager
|
version https://git-lfs.github.com/spec/v1
oid sha256:c5fe6c755376ac9366b26c651708de545e56b1191526092de7983fd9d7eb8033
size 11147
|
Connecticut troopers vote no confidence against state police leaders
The Connecticut State Police Union membership has cast an overwhelming vote of no confidence against Department of Public Safety Commissioner Reuben Bradford and Colonel Danny Stebbins.
Tuesday afternoon the union released the results of member polling that showed Bradford received 752 no-confidence votes and 42 votes of confidence, while Stebbins received 760 no-confidence votes against 34 votes of confidence. The voting, according to the union, represented a 79 percent membership vote, or 807 of 1,106 members casting a ballot.
"Unfortunately, the Commissioner and Colonel have ignored the Union membership, refused to communicate with the Union leadership, and have failed to consider the invaluable experience and knowledge of our membership which would have ensured that the quality of public safety is not diminished during these difficult financial times," said union President Andrew Matthews in a press release. "Their lack of leadership and disrespectful attitude towards our membership has been demonstrated by the implementation of arbitrary policies which endanger public safety and Trooper safety, and as a result, has caused irreparable damage to the morale of our membership."
|
Sign In
MontanaTeam Building Activities
Though unofficial, Montana’s nickname ‘Big Sky Country’ couldn’t be more apt. With the Rocky Mountains forming an elegant backdrop, the plains area that makes up much of the state is both rustic and yet the modern world collides in Helena, with the updated Civic Center. More options include areas for the outdoor focused event in Bozeman, the gateway to Yellowstone National Park. What’s not to love about a venue that includes sky, mountains and plains?
TeamBonding offers team building events anywhere in Montana - we are where you are! Let our friendly, professional facilitators plan and deliver an exciting team building event for your group in the location and at the venue of your choice.
Billings is a diverse city with many arts, cultural, fine dining and recreational venues that are perfect for hosting team building events, programs and activities.
We can plan an exciting team building event for your group at a Billings venue of your choice — a fun, bonding experience that will make a lasting impression on your colleagues and on your company.
Helena is a diverse city with many arts, cultural, fine dining and recreational venues that are perfect for hosting team building events, programs and activities.
We can plan an exciting team building event for your group at a Helena venue of your choice — a fun, bonding experience that will make a lasting impression on your colleagues and on your company.
Missoula is a diverse city with many arts, cultural, fine dining and recreational venues that are perfect for hosting team building events, programs and activities.
We can plan an exciting team building event for your group at a Missoula venue of your choice — a fun, bonding experience that will make a lasting impression on your colleagues and on your company.
Andrew’s session was phenomenal. He was serious in the message he was delivering but humorous and funny at the same time. It was the highest rated session of the day
Proctor & Gamble
Amazing! The event was a HUGE success! Everything was perfect – the participants thoroughly enjoyed themselves. I can’t say enough about how well it went. The word is already flying around the office about the success of the program and we already have another group thinking about using this program for an event of their own!
Kronos
Ben and his team were fantastic yesterday! Thank you so very much for everything!
VCA Animal Hospital
WOW! What an incredible time we had with Team Bonding last week at our All Hands event! Your team was phenomenal, and with the leadership and charisma of Scott, pulled off keeping the attentions of a very lively crowd!
Capital One
Everything went very well with our Do Good Bus. Michael was great, very friendly and really fun to have around.
Founders Brewing Co.
We had a great time and I received a lot of positive feedback from the team. They were surprised, had fun and enjoyed participating in multiple activities. Michael was amazing!
Ariat
We can tailor all of our events to your needs & location.
If you’re a team leader who’s looking for better employee engagement, or you’re a seasoned C-suite executive in search of leadership retreat activities, we can help make everything a lot easier. Contact us. We’re happy to help.
Spring is right around the corner, and with it comes chocolate bunnies and egg hunts. But why should the kids have all the fun? A corporate scavenger hunt is easy to set up and can range from a simple list of things you have around the office, to very elaborate and creative endeavors. The person or team with the most points wins! Here are seven simple tips for making your own DIY office scavenger hunt!
We’re thrilled to announce our new strategic partnership with Catalyst Global. Catalyst Global is an international network of 47 team building partners spanning 90 countries. TeamBonding and Catalyst Global were both established over 25 years ago and have been leaders in the team building industry since. Through this partnership, TeamBonding and Catalyst Global will strive to increase the availability of team building resources, services and events.
Communication affects teamwork in positive and negative ways. The quantity and quality of communication within a team and from leadership affects teamwork.
The more collaboration your projects require the more assertive and intentional your communication should be. Every member of the team needs to take the initiative to communicate. When a team is not actively communicating, their work is at stake. It’s important for everyone to learn how to communicate effectively in order to work effectively.
(more…)
|
Equestrian at the 2006 Asian Games – Team jumping
Team jumping equestrian at the 2006 Asian Games was held in Doha Equestrian Jumping Arena, Doha, Qatar from December 10 to December 11, 2006.
Schedule
All times are Arabia Standard Time (UTC+03:00)
Results
Legend
EL — Eliminated
References
Results
External links
Official website
Team jumping
|
Q:
How to use ball shading on non-circle shapes?
If using ball shading on non-circle elements, it will well apply the shading effect, but it will use the default blue color. How to use ball shading with the element color.
\\node[text width=3cm,fill=red,shading=ball] (test) at (1,1) {Text};
This will produce a rectangle with ball shading effect; however, in blue color instead of red.
A:
Just add the ball color option:
\\node[text width=3cm, shading=ball, ball color=red] (test) at (1,1) {Text};
More details in the PGF/TikZ manual (v 2.10) - page 413, under /tikz/ball color, where you can find links to other sections with other useful options too.
|
Virola oleifera-capped gold nanoparticles showing radical-scavenging activity and low cytotoxicity.
The development of effective nanoparticle therapeutics has been hindered by their surface characteristics, such as hydrophobicity and charge. Therefore, the success of biomedical applications with nanoparticles is governed by the control of these characteristics. In this article, we report an efficient green capping method for gold nanoparticles (AuNPs) by a reduction with sodium citrate and capping with Virola oleifera (Vo), which is a green exudate rich in polyphenols and flavonoids. The Vo-capped AuNPs were characterized by UV, DLS, FTIR, Raman, TEM, DPPH, FRAP and their cytotoxicity was evaluated on the viability of Murine macrophage cell. The AuNPs had an average particle size of 15 nm and were stable over a long time, as indicated by their unchanged SPR and zeta potential values. These nanoparticles were assessed for their antioxidant potential using DPPH and FRAP and demonstrated the highest antioxidant activities and low cytotoxicity. We propose that the Virola oleifera-capped AuNPs have potential biomedical applications.
|
Q:
Ggplot2: plot avgSessionDuration from GA as a bar plot? Formal class 'Period' [package "lubridate"]
I've a df with months and Avg. Session Duration from Google Analytics.
Definition of Avg. Session Duration: The average duration (in seconds) of users' sessions.
This column I've converted from seconds to minutes using lubridate:
library(lubridate)
df$avgSessionDuration <- seconds_to_period(df$avgSessionDuration)
But when I try to plot this as a simple bar chart, I'm getting and empty plot:
ggplot(df, aes(x=mes, y = avgSessionDuration, label = avgSessionDuration)) +
geom_bar(stat = "identity", position = "dodge")
dput:
structure(list(mes = c("Apr", "Aug", "Dec", "Feb", "Jan", "Jul",
"Jun", "Mar", "May", "Nov", "Oct", "Sep"), avgSessionDuration = new("Period",
.Data = c(40.3422263169386, 15.0267821554301, 58.2952632067657,
23.8959081801318, 48.6127812066904, 52.4427333243062, 28.2065306406772,
7.08722136893016, 53.9021568123918, 6.21260764666937, 45.1247832993034,
35.057865957604), year = c(0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
0, 0), month = c(0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0), day = c(0,
0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0), hour = c(0, 0, 0, 0, 0,
0, 0, 0, 0, 0, 0, 0), minute = c(6, 7, 6, 11, 12, 6, 7, 7,
6, 8, 7, 7))), row.names = c(NA, -12L), totals = list(list(
sessions = "52429423", sessionDuration = "2.6206981539E10",
avgSessionDuration = "499.8525644464941")), minimums = list(
list(sessions = "45875", sessionDuration = "1.6438276E7",
avgSessionDuration = "264.72602881964076")), maximums = list(
list(sessions = "932025", sessionDuration = "6.17676652E8",
avgSessionDuration = "981.1245110604924")), isDataGolden = TRUE, rowCount = 365L, class = c("tbl_df",
"tbl", "data.frame"))
A:
You can use the following code
library(tidyverse)
df %>% separate(avgSessionDuration, c("A", "B")) %>% ggplot(aes(x=mes, y = A, label = A)) +
geom_bar(stat = "identity", position = "dodge")
|
43 F.3d 669
Hamiltonv.Runyon*
NO. 94-10363
United States Court of Appeals,Fifth Circuit.
Dec 15, 1994
Appeal From: N.D.Tex., No. 3:93-CV-1363-H
1
AFFIRMED.
*
Fed.R.App.P. 34(a); 5th Cir.R. 34.2
|
429 F.Supp. 131 (1976)
In the Matter of Patricia Ann MARTINDALE, Bankrupt,
Betty McMILLIN, Trustee, Plaintiff,
v.
PHOENIX TELCO FEDERAL CREDIT UNION, Defendant.
No. BK-75-2397-T.
United States District Court, W. D. Oklahoma.
November 23, 1976.
William A. Vassar, III, Oklahoma City, Okl., for bankrupt.
B. J. Brockett, Oklahoma City, Okl., for trustee.
Richard W. Freeman, Oklahoma City, Okl., for defendant.
ORDER
RALPH G. THOMPSON, District Judge.
The above entitled cause comes before this Court upon the appeal of Phoenix Telco Federal Credit Union (Phoenix), appellant herein, from an order of the Bankruptcy Court. Phoenix appeals from the finding of the Court that Betty McMillin (McMillin), appellee herein and bankruptcy trustee of the estate of Patricia Ann Martindale (Martindale), has a prior and superior interest in the 1973 GMC ½ ton pickup, serial number TCY1143J508221, to the claim of Phoenix by reason of its failure to reperfect its security interest in said vehicle in Oklahoma.
There is no disagreement between the parties with respect to the pertinent facts. The bankrupt and her husband executed a combined financing statement and security interest in Phoenix, Arizona, where they were residing on or about July 26, 1973, thereby granting a security interest to Phoenix in the subject vehicle. Phoenix then perfected its security interest in accordance with the law of Arizona by filing a copy of the security instrument and application for a certificate of title with the Vehicle Division so that a certificate of title was thereafter issued to the Martindales showing on its face the lien of Phoenix. Arizona law requires that the security instrument be maintained in the Vehicle Division files until the security interest is discharged. A non-negotiable memorandum of title is issued to the owner with the creditor's lien noted on it while the original certificate of title is maintained in the Vehicle Division files along with the security instrument until the security interest is discharged whereupon it is delivered to the owner. Arizona is a "title state" inasmuch as security interests are perfected in the manner described above.
Sometime thereafter, the Martindales moved their residence from Arizona to Texas, *132 which is also a "title state", and Phoenix again perfected its security interest. No filing of security instruments is required for perfection in Texas, but an application for a title is submitted for a vehicle encumbered by a security interest, and two titles are issued. One is designated "original" and the second as "duplicate original", and the original is given to the secured party and the duplicate original is given to the owner. The duplicate is not good for transferring ownership of the vehicle; but upon satisfaction of the security interest, the original is delivered to the owner by the secured party.
Thereafter, the Martindales moved to Oklahoma and brought with them the vehicle in question. In accordance with Oklahoma law, 47 O.S. 1971 § 22.12, which requires registration of a vehicle owned by a nonresident who enters Oklahoma and remains for a period of sixty days from the date of entry, the Martindales prepared an application for registration along with an application for a certificate of title which is required by 47 O.S. 1971 § 23.3. The State of Oklahoma received the application for a certificate of title, showing on its face the lien of Phoenix, and prepared the certificate of title but retained it in its file pending receipt of a negotiable certificate of title from Texas. On this same date, Oklahoma vehicle registration license plates were issued to the Martindales. The certificate of title held by the State of Oklahoma was never delivered to the Martindales.
The petition in bankruptcy was filed December 9, 1975, by Mrs. Martindale. McMillin filed her complaint on March 22, 1976, alleging a superior interest to that of Phoenix in the said vehicle by reason of the failure of Phoenix to comply with the laws of the State of Oklahoma. Oklahoma is a "filing state" rather than a "title state", and perfection is accomplished by the filing of security instruments in specified locales. Phoenix never filed the required instruments in Oklahoma, and the Bankruptcy Court therefore held that McMillin held a superior interest in the vehicle.
The central question herein is whether or not the certificate of title prepared by the State of Oklahoma but held pending receipt of the original Texas certificate of title was issued. If the Oklahoma certificate of title was not issued, then the security interest of Phoenix which was perfected in Arizona and Texas would remain perfected in accordance with 12A O.S. 1971 § 9-103(4) which provides as follows:
"Notwithstanding subsections (2) and (3), if personal property is covered by a certificate of title issued under a statute of this state or any other jurisdiction which requires indication on a certificate of title of any security interest in the property as a condition of perfection, then the perfection is governed by the law of the jurisdiction which issued the certificate."
Therefore, the perfection of the security interest of Phoenix would be controlled by the law of Arizona or more probably Texas. However, if the Oklahoma certificate of title was issued, then Phoenix would have been required to perfect its security interest in accordance with Oklahoma law, which requires filing pursuant to 12A O.S. 1971 § 9-401, which was not done herein. As indicated in 4 Anderson, Uniform Commercial Code, Section 9-103:23, at page 64:
"The underlying rationale of Code § 9-103(4) is that there shall be only one title certificate for an automobile, that originally issued if it is still in existence, but the certificate of state # 2 when such certificate is issued shall be the controlling system. It would be impractical to charge the public with notice of notations in prior cancelled certificates or applications, which, though still extant, had been issued in foreign unknown states. Consequently, once a certificate is issued in state # 2, it is the law of that state which determines whether there is a perfected security interest in the motor vehicle and the creditor must comply with the law of state # 2 in order to obtain perfection."
It is the holding of the Court that the Oklahoma certificate of title was prepared but not issued to the Martindales. In so *133 holding, the Court is cognizant of 47 O.S. 1971 § 22.4(d) which holds as follows:
"Where the applicant has satisfactorily shown to the Commission that he owns the vehicle sought to be registered, but is unable to produce documentary evidence of his title, the Commission may in its discretion issue temporary plates only. Such temporary license plates are to be issued only from the Motor Vehicle Division of the Commission at its central office in Oklahoma City. In such instances the Commission shall indicate on the receipt given the applicant the reason for not issuing a Certificate of Title. It shall still be the duty of the applicant to take all necessary steps immediately to obtain his Oklahoma Certificate of Title and it shall be unlawful for him to sell said vehicle until such title has been obtained in his name."
Therefore, it is quite apparent that the Oklahoma certificate of title was withheld and not issued in accordance with this subsection.
McMillin contends in the alternative that if the Court finds that the certificate of title was not issued, then indeed Arizona law applies with respect to the perfection of the security interest by Phoenix. McMillin argues that Arizona law as reflected in Arrow Ford, Inc. v. Western Landscape Construction Co., 23 Ariz.App. 281, 532 P.2d 553 (1975), does not support Phoenix.
The Court questions whether or not Arizona law would apply in any event inasmuch as a Texas certificate of title was issued subsequently to the Arizona title, and therefore Texas law would be applicable. However, in that Arizona and Texas law are similar in this regard, the Court will consider the argument of McMillin.
First, McMillin has not cited any pertinent Arizona statutory law which would invalidate the perfection that was accomplished in Arizona. Instead, McMillin cites Arrow Ford, Inc. supra, in support of her position. The fact situation in Arrow Ford, Inc. involves the perfection of a security interest in a vehicle which was removed from a "filing state" (Oklahoma) to a "title state" (Arizona), the exact opposite of the case at bar. Inasmuch as the comparable Arizona statute of 12A O.S. 1971 § 9-103(4) only applies to the situation where an encumbered vehicle enters from a "title state", the decision in Arrow Ford, Inc. is clearly distinguishable.
It is uncontradicted that the security interest of Phoenix was duly perfected in Arizona and Texas, and the Court has held that an Oklahoma certificate of title was not issued in Oklahoma. Thus, the accomplished perfection in Arizona or Texas would continue in Oklahoma pursuant to 12A O.S. § 9-103(4). Therefore, it is the holding of the Court that the security interest of Phoenix is superior to that of McMillin; and, accordingly, the order of the Bankruptcy Court in regard to the vehicle in question is reversed.
It is so ordered this 23rd day of November, 1976.
|
"Hope is my catalyst."
“My life is so swingy at times. I literally go back and forth from feeling good and bad randomly.”
Well, I am going back to using the anime pictures again (for the time being). I did not like how plain the last post looked. They are mostly for fun, but having the pictures at least break up the wall of text for each blog post. So they are back for now.
Anyway, solving the mystery that is my life gets more and more grueling. But I am starting to narrow things down. I am beginning to understand myself a whole lot better. I kind of have to, as my main goal is to move forward in life. To head toward the next stage entails knocking down the obstacles ahead of me, but the major one I cannot overlook is myself.
In particular, I suspect that I probably have bipolar disorder. Now, this is nothing official. Self-diagnosing is dangerous, so I would in fact need a proper diagnosis from a medical professional, but the more I research it… Well, without getting too technical, it explains a lot about who I am.
In fact, I guess you could say that it literally matches up with my “inconsistency” for this whole time. Granted, I know I always talk about my various mood swings throughout these blog posts. I tell people all of the time that I suffer from mood swings, but now I wonder if that is really all there is to it on the surface.
And now, I just wonder if my dad has bipolar disorder as well. Without going too in-depth here, my dad was all over the place growing up. He had a lot of random days. And by random, I mean he would be incredibly happy and nice one day, and then there were other days you hoped it was not raining outside so you had an excuse to be away from the house.
My dad was Mr. Nice Guy when he was feeling jovial. He was the bad guy when he felt like yelling, frightening me a lot as a kid to the point where I found myself just cowering in fear from him a lot when he was like this.
As I have gotten older, my dad has mellowed out. The thing is, though, this is all due to the medication he has to drug himself with on a daily basis now. He takes so many pills, for so many different health problems, that he just has too much medicine flowing through his system to feel anything extreme. He is very chill by comparison to the childhood father I knew back then.
I guess this partially feeds into the stigma I have toward taking pills. My dad obviously has to take all of those pills because he has no choice now, and I wonder if I am destined for the same path at this rate.
It all scares me.
With my dad, we called his extreme shifts in demeanor mood swings as well. And looking back at it all, I think my mom just did not want to say anything beyond that. My dad was my dad.
My mom always told me it was just a cultural thing back in Vietnam, that to be deemed “crazy” was super taboo. With this train of thought, it makes sense why we never would call my dad bipolar or anything like that. That would mean he has something really wrong with him, right?
As for me, as someone on this personal journey toward figuring it all out, I want answers. The logical thing would be to seek professional help. An official diagnosis would label me the right kind of things I would need to be labeled, but what would it change unless I ended up higher than a kite stuffing my face with pills each day?
Why do I bring this all up now?
Just lately, lately… I am feeling more extreme emotions. This up-and-down feeling, back and forth… It all makes one’s head spin!
A Roller Coaster of EmotionsI accept that, barring anything extreme, this is how my life is going to play out for the rest of my days.
A roller coaster of emotions. A nonstop ride that has no defined track ahead of it. It can dip. It can climb. It can swoop around and twist. It is, in many regards, unpredictable.
Which is, unsurprisingly, very bipolar-like.
It explains a lot. It really does.
It explains why I have these “episodes” of extreme motivation for instance, where I just feel so darn inspired to take on the world itself. Conversely, I get those other episodes where I just want to sleep all day, not even bothering to step outside for sunlight.
I seriously hate it. Why can’t I just be one thing? If that were the case, at least then people could say Nhan is just (x) thing.
But nope. I have to go through the entire emotional spectrum. I don’t stop on a dime on any particular feeling. This chemical imbalance just becomes what it feels like, without any rhyme or reason…
This is my life.
This is the life I live with, and sometimes it is suffering.
It is suffering because I actually do have real ambitions. I do have real hopes and dreams that keep me motivated.
However, no matter how legitimately passionate these feelings are for what I want to accomplish, these nagging “off” days are becoming more and more commonplace. They just pop up and yank me back down, delaying this sense of progress and keeping me from truly advancing.
That next stage in life… I just wish this roller coaster would stop by the next phase already.
Until then, I better keep my arms and legs inside the ride at all times…
|
Come and rise from your grave again
Rise above them and fight again
I'm the one you calling - and watch me - show them all
Without me you'll be obscene
I'll save you from it all
Release your confessions
Give your life to me
Let me open your sewn shut eyes
See only me
I'm the one your calling
And watch me - show them all
Obey me until your life is lost
Come to me with sorrow
I'll let you live again
There is no tomorrow
I am your only friend Your time has been so sick
Your living in sorrow and pain
There is no tomorrow take my hand
What is it inside you - eating you within?
I drown in life's waters - A sea of despair
Hear me now I'm calling
So you can see the way to me
I'll leave you blind and hopeless
You should have never listened to me
[repeat chorus]
[repeat bridge]
[repeat second verse]
|
using System;
using System.Collections.Generic;
using System.Diagnostics;
using System.Text;
using UnityEngine;
namespace DTS_Addon.Scene
{
[KSPAddon(KSPAddon.Startup.MainMenu, false)]
public class xMainMenu : MonoBehaviour
{
[Conditional("DEBUG")]
void OnGUI()
{
GUI.Label(new Rect(10, 10, 200, 20), "MainMenu");
}
}
}
|
[Computerized tomography as a diagnostic complement of standard radiograms in the evaluation of traumatic lesions of the carpal scaphoid. A study of 10 cases].
The authors investigated the value of direct coronal CT as a diagnostic complement to plain radiography in the assessment of post-traumatic scaphoid conditions. The series included 10 patients who were selected either for disagreement of clinical and radiological findings, the latter being negative (3 patients), or for better assessment of radiological findings, which had diagnosed bone lesions, in order to plan treatment (7 cases). CT provided additional information in 5 patients, demonstrating 2 nonunited fractures in the first group and 2 pseudoarthroses with no significant bone deformity and 1 osteonecrosis in the second group. These results, which proved essential to plan the subsequent treatment, show that CT has, at present, in specific cases, a definite role in evaluating post-traumatic scaphoid conditions, and stress the value of direct coronal images, which are both easy to interpret, being equivalent to radiographs in postero-anterior projection, and quick to perform.
|
Linux Format 185 - Build a Linux PC
Posted at 1:55pm on Monday June 2nd 2014
Issue 185, July 2014 - on sale now
Build a Linux PC
Want a brand new desktop, media centre, gaming machine or server? Build it yourself! You'll save money and have complete control over what components go into the PC. We show you what you need to consider, and what software, distros and tools you need to build your very own Linux PC.
We show you how to install Linux on a Chromebook.
We have a complete guide on hacking Minecraft on the Raspberry Pi.
Speaking of the tiny Pi, we also show you how to design and build a Raspberry Pi case using Python, FreeCAD and a 3D printer.
As usual we also have top-notch coding tutorials, the latest reviews and more, only in Linux Format.
On the DVD: Ubuntu 14.04 LTS 64-bit with a choice of four desktops, MX14, HotPicks, tutorial code and more.
|
Hi guys! Marcos did an ESPN Chat today here's the transcript
-------------------------------------------------
Oxford, Ohio: What the heck was going through your mind when you took that first set from Roger in the aussie open final?
SportsNation Marcos Baghdatis: (3:04 PM ET ) Nothing special. I was just playing tennis and that was all. After I started thinking a bit, that's what cost me the match. My mind wandered from the match.
Alin, College Station, Texas: What was the MAJOR mental change that happened to you in the last 3 years, that led to your tennis success? Thank you.
SportsNation Marcos Baghdatis: (3:05 PM ET ) No mental change. Nothing changed. I just kept working hard and believing in myself. Staying strong and getting ready for your chance and being ready for it.
Zack, Toronto, Canada: What of the top seeds that you beat is the most memorable win for you: Roddick, Nalbandian, or Ljubicic?
SportsNation Marcos Baghdatis: (3:06 PM ET ) Nalbandian, because it was an amazing match. I was losing 2-0. That made it special.
Jill (Los Angeles): Hi Marcos! I love watching you play. What do you think is your best shot? What surface is your favorite?
Ben São Paulo Brazil: You almost won a Grand Slam title "out of nowhere." The press compared you to Guga Kuerten because of that and also because of your charisma. Do you see yourself having as many fans around the world supporting you as you had in Australia?
SportsNation Marcos Baghdatis: (3:13 PM ET ) I don't really know about that. It could be cool for tennis if those things happened not just for me but for all the players in tennis. It would be fun if it continues.
Andy (Houston): Of all the places you've traveled to play, where is your favorite?
SportsNation Marcos Baghdatis: (3:13 PM ET ) Australia!
Yanis Hermitage, PA: Tikanis Marcos! Do you think tennis is becoming more popular in Greece and Cyprus?
SportsNation Marcos Baghdatis: (3:14 PM ET ) Yes.
Faris (Chicago): Growing up who did you follow in tennis?
SportsNation Marcos Baghdatis: (3:14 PM ET ) Rafter.
Brad Mattison (Carlisle, MA): How do you think you will fair at Wimbledon, does your game suit well to a grass court?
Brad Mattison (Carlisle, MA): Do you think you can beat Rafael Nadal? He seems now to be a tough player on hardcourt.
SportsNation Marcos Baghdatis: (3:17 PM ET ) Every day is different. Any day, anyone can beat anyone. That's what I think. So my answer is yes.
Chris (Fremont,Ca): Marco you are my new favorite player!!! How has life changed ever since your great performance in the Aussie Open... ohh by the way WHATS YOUR FAVORITE FOOD?
SportsNation Marcos Baghdatis: (3:18 PM ET ) Lots!
Michael (Wauwatosa, WI): Loved watching you in Australia -- that was a great run. Which American do you think is playing the best right now? Roddick? Agassi? Blake? Good luck in Palm Springs!
SportsNation Marcos Baghdatis: (3:19 PM ET ) Roddick and Blake are playing really good, but there are so many playing good right now. I think at the moment Blake is a tough player to play. Roddick is too, because of his serves. It's hard to tell.
Kuwata ( connecticut): How do you think about the new doubles rules? Do you want to enter the doubles more?
SportsNation Marcos Baghdatis: (3:19 PM ET ) Sometimes I think about playing doubles, I do it just for practice. But I don't think about playing in tournaments.
Joey (Port St. Lucie): Marcos, who has the toughest shot in tennis and what is it?
SportsNation Marcos Baghdatis: (3:20 PM ET ) Every thing is a tough shot. Even now everything is till tough. You need a lot of concentration on the court.
Marinos Georgiou (Larnaka): No question, just Marcos must know that Cyprus is with him wherever he is. Marcos you are the best!
SportsNation Marcos Baghdatis: (3:21 PM ET ) Thanks.
Keisuke (japan): Did you like Japan when you competed at the AIG Japan OPEN?
SportsNation Marcos Baghdatis: (3:21 PM ET ) I won two tournament as a junior there. I like playing there.
Morgan (St.Louis, MO): Hey Marcos! Will you be playing in both Indian Wells(Pacific Life) and the Nasdaq-100 Open?
SportsNation Marcos Baghdatis: (3:22 PM ET ) Yes, both of them.
Oxford, Ohio: If you had to set expectations for yourself for the next 3 majors (and hopefully the year end masters) what rounds would you say would be your goal in each for this year?
|
Q:
Accessing DataGridColumn item renderer variable
Within a DataGrid, I have a DataGridColumn that uses a custom component as the item renderer. Within the component, I have an ArrayCollection that stores a set of value objects. My problem is that I cannot access the ArrayCollection values from outside of the item renderer component. Does anyone know how it would be possible to do this? I have posted a code snippet below.
<mx:Script>
<![CDATA[
// Cannot access arrFiles from here.
]]>
</mx:Script>
<mx:DataGrid editable="true">
<mx:columns>
<mx:DataGridColumn id="dgcUpload" width="130" headerText="Uploaded Files"
editable="false">
<mx:itemRenderer>
<mx:Component>
<mx:VBox>
<mx:Script>
<![CDATA[
[Bindable]public var arrFiles:ArrayCollection = new ArrayCollection();
]]>
</mx:Script>
</mx:VBox>
</mx:Component>
</mx:itemRenderer>
</mx:DataGridColumn>
</mx:columns>
</mx:DataGrid>
Is this possible?
Thank you in advance for any assistance,
Orville
A:
I would create a custom MXML Box component as the rendered with a label (myLabel) as a child. Set the data provider for the DataGrid to the array. In the custom MXML component override the set data method which is called each time the data is rendered for each row and set the label to the current value passed in:
override public function set data(value:Object):void{
myLabel.text = value.myTextForLabel;
}
If the field in the ArrayCollection (myArrayCollection) is always the same for the label, then just set the DataGrid data provider to the ArrayCollection and the dataField property of the column to the appropriate value (myText):
<mx:DataGrid editable="true" dataProvider="myArrayCollection">
<mx:columns>
<mx:DataGridColumn id="dgcUpload" width="130" dataField="myText" headerText="Uploaded Files"
editable="false">
</mx:columns>
</mx:DataGrid>
|
YES THE ROOM IS STILL AVAILABLEFURNISHED ROOM $400 INCLUDES EVERYTHING ($425 if you don't work)NO SECURITY DEPARTMENTBED AND CHEST OF DRAWERSNICE LG KITCHEN1 SHOWER AND 2 TOILETSGREAT NEIGHBORHOOD GREAT PEOPLE IN THE HOUSE6 PEOPLE TOTAL ONCE ALL ROOMS ARE FILLED(5 females and myself)NO CHILDREN PLEASE1/2 MILE FROM BUS ROUTELOOKING FOR SOMEONE RESPONSIBLE 2 DOGS IN THE HOUSETHIS IS NOT A PARTY HOUS
YES THIS ROOM IS STILL AVAILABLEFURNISHED ROOM $550 INCLUDES EVERYTHING ($575 if you don't work)BED AND CHEST OF DRAWERSNICE LG KITCHEN1 SHOWER AND 2 TOILETSGREAT NEIGHBORHOOD GREAT PEOPLE IN THE HOUSE6 PEOPLE TOTAL ONCE ALL ROOMS ARE FILLEDNO CHILDREN PLEASE1/2 MILE FROM BUS ROUTELOOKING FOR SOMEONE RESPONSIBLE 2 DOGS IN THE HOUSETHIS IS NOT A PARTY HOUSEIT'S ON ROSLYN DR IN NORFOLKWHEN YOU ARE O
I'm 28 year old female looking for a male room mate close to my age, to rent out a room in my two bedroom townhouse. Located close to the interstate, mall and Town Center. My current room mate will be moving by March 31st so that's when the room will open up.I'm a Registered Nurse and will be starting school in a few months, so I prefer someone quiet, to themselves, responsible, clean and ready to
I'm a young 61, hard working male looking for a female roommate and a companion to share housing. Need someone who is trustworthy, clean and responsible. You get your own room w/bath and access to rest of house. Country setting but close to shopping and everything else. $500 monthly, includes cable tv and utilities.
Available immediately! Renting out a room in my 2000 Sq ft. Sanctuary!! Must be Non-Smoker!! Pets.........Maybe. Negative attitude...........NO WAY!No whiners, complainers allowed. $500 deposit & 1st month moves you in. A flat $80 a month for all utilities etc... The bedroom has a bed in it that can easily be moved into the guest bedroom if you have your own. My home is fully furnished Washer,
(1) Individual room for rent in a fully furnished 2 bedroom house in Monterey ... All you need is your bedding and towels!!! Kitchen, laundry room - with a washer and dryer, stove & refrigerator! New carpet and paint. Wireless internet included!! Fully furnished with everything you need. Bedrooms have full size beds, nightstand, lamp, desk, dresser and small closet. Walking distance to Sport's
(1) Individual room for rent in a fully furnished 2 bedroom house in Monterey ... All you need is your bedding and towels!!! Kitchen, laundry room - with a washer and dryer, stove & refrigerator! New carpet and paint. Wireless internet included!! Fully furnished with everything you need. Bedrooms have full size beds, nightstand, lamp, desk, dresser and small closet. Walking distance to Sport's
Looking for a roommate for the next year (room available June 1, 2018) in Moscow. 2 bdrm, 1 bath apartment on sweet and the highway(1106 S. Main st.). As close to campus as you can be without being on campus, and our landlord is the best in the area. Apartments are also relatively new. Rent is $312.50 each ($625 total) includes W/S/G, $30-40 for internet, and roughly $20-30 for Avista. No pets, la
Ive got a room for rent in a single family home off Como Avenue in Se Mpls in a virtually all student neighborhood. It has 2 a big bathroom, 3 bedrooms, a living room, tv watching room, living room and dining room. The fantastic kitchen includes a dishwasher. All utilities and internet are included. This is a great place to live as one of the finer homes in our Se Mpls neighborhood. No smoking in
I am a Male Quadriplegic, age 64, but look & act more like 44. Live in the country in a ranch style house with dogs. (no cats, I'm Allergic). I'm looking for a Woman Caregiver/CNA, hopefully Single, Divorced, or Widowed who would be willing to be my Caregiver in exchange for a Live In Room Mate type situation! No Jealous Exes PLZ! Incudes Free Rent, Free Utilities, Cable TV/Internet/Home Phone
looking for mature individual roughly---60 to 75 to share home with---smoking allowed-must like pets---72nd and Cleveland area---$525 a month---must have refrences----phone calls only no e-mails--- Call Peggy at
|
Q:
How to handle database migrations with Kubernetes and Skaffold
The issue:
Locally, I use Skaffold (Kubernetes) to hot reload both the client side and server side of my code. When I shut it down, it deletes my server pod, including my /migrations/ folder and thus gets out of sync with my database alembic_version. On production, I'm not deleting my server pod, but I am rebuilding the docker image when I deploy which results in my /migrations/ folder being replaced.
The question
How do I handle these migrations so my database doesn't get out of sync?
application setup
Flask/Python API and use Flask Migrate. For those unfamiliar, what it does is create a migrations folder with version files like 5a7b1a44a69a_.py. Inside of that file are def upgrade() and downgrade() to manipulate the db. It also records the revision and down_revision references for the alembic_version table in my postgres pod.
Kubernetes and Docker setup
I have a server pod and postgres pod. I login to the shell of the server pod to run the migrate commands. It creates the version files inside of the docker container and updates the db.
To show a step-by-step example of the problem:
sh into server-deployment pod and run db init.
Migrations folder is created.
perform migration on server-deployment which creates migration file and updates the db.
postgres pod db gets alembic_version entered and an update.
use skaffold delete or ctrl-c skaffold.
server-deployment pod gets deleted, but postgres doesn't. Migrations folder goes away.
Start back up skaffold and sh into server-deployment pod and try to run db migrate. Asks you to do an db init.
If you try to downgrade from here, it doesn't do anything. Now server pod and postgres pod are out of sync in terms of alembic_version.
Final Notes
What I used to do pre-docker/kubernetes was run it locally and I would commit that migrations version file to my repo. It was synced across all environments so everyone's repo was on the same alembic_version. I've considered created a separate, always-on "migrations-deployment" pod that is another instance of flask so that it never loses the /migrations/ folder. However, that seems like a really poor solution.
Hoping for best practices or ideas!
A:
I figured out a way to handle this. I'm not going to set it as the correct answer until someone else confirms if this is a good approach.
Basically, what I did was create a Persistent Volume Claim. Inside the server-deployment I hook up the migrations/ folder to that Persistent Volume. That way, whenever the pod gets deleted, the migrations/ folder remains and gets persisted across pod restarts.
It would look something like this inside the server deployment.
containers:
..........
volumeMounts:
- name: migrationstuff
mountPath: 'MyServerApplicationDirectory/migrations'
volumes:
- name: migrationstuff
persistentVolumeClaim:
claimName: migrate-pvc
The PVC would look like this:
apiVersion: v1
kind: PersistentVolumeClaim
metadata:
name: migrate-pvc
spec:
accessModes:
- ReadWriteOnce
resources:
requests:
storage: 1Gi
For those who decide to take this approach with flask migrate, there's a tricky "chicken or the egg" issue. When you run flask db init, it creates the migrations/ folder with some stuff in it. However, if there's a PVC creating the empty migrations/ folder, flask migrate already thinks the folder exists. You can't delete the folder either with rmdir because it's got a working process on it. However, you need to get the contents of the flask migrate init command into the empty migrations/ folder.....
The trick I found was:
python flask db init --directory migration
mv migration/* migrations/
This intialized all the files you need into a new "migration" folder. You then copy it all into the migrations/ folder to persist from then on. Flask migrate automatically looks for that folder if you leave out the --directory flag.
Then delete the migration folder rmdir migration(or just wait until your pod restarts in which case it'll disappear anyways).
You now have a proper migrations/ folder with everything in it. When you close your flask pod and restarted, the PVC injects that filled up migrations/ folder back into the pod. I can now upgrade/downgrade. Just have to be careful not to delete the pvc!
|
Consensus statement by hospital based dentists providing dental treatment for patients with inherited bleeding disorders.
Avoidance of dental care and neglect of oral health may occur in patients with inherited bleeding disorders because of concerns about perioperative and postoperative bleeding, but this is likely to result in the need for crisis care, and more complex and high-risk procedures. Most routine dental care in this special needs group can be safely managed in the general dental setting following consultation with the patient's haematologist and adherence to simple protocols. Many of the current protocols for dental treatment of patients with inherited bleeding disorders were devised many years ago and now need revision. There is increasing evidence that the amount of factor cover previously recommended for dental procedures can now be safely reduced or may no longer be required in many cases. There is still a need for close cooperation and discussion between the patient's haematologist and dental surgeon before any invasive treatment is performed. A group of hospital based dentists from centres where patients with inherited bleeding disorders are treated met and, after discussions, a management protocol for dental treatment was formulated.
|
Q:
"tasse de vin" vs "verre de vin" - difference
I'm not a native French speaker but have always ordered "une tasse de [vin] rouge" ('vin' optional) at the bar. My partner (and her living-in-France-but-not-native-speaker parents) say I should be ordering "une verre de [vin] rouge". Does "une tasse de [vin] rouge" make any sense at all? If so, what is the difference "tasse" vs. "verre"? Using "verre" sounds far more formal and more like a reference to the glass itself to me. Is it a regional thing?
A:
This not about formalism. Both tasse and verre can be used with the same language levels. They just happen to be significantly different containers.
People drink water, wine (and cold beverages) in verres (glasses) that have no handle, e.g.:
and coffee (and hot beverages) in tasses (cups) that have a single handle:
A tasse de vin doesn't make sense1. Nobody drinks wine in tasses at a bar.
One of the only drinks that is generally served in glasses but might be served in a cup (or a bowl with no handle) is the cidre, thus une bolée de cidre:
Some verres have a handle and are called chopes, sometimes used to drink beer.
Some tall verres are called flutes:
shallow ones are called coupes 2:
and spherical ones are called ballons.
Flutes and coupes are mostly used with champagne while ballons are used to drink red wine so you might have asked:
un ballon de rouge (informal).
1 Note that in wineries (caves) and among wine professionals, a small metallic cup (often in silver) with a handle was traditionally used to look at and taste wine and called a tasse à vin or tastevin. Here taste is the same word as the English verb to taste (modern French tâter). The similarity with tasse is a pure coincidence. Generally, the wine tasted by professionals (and reasonable amateurs) is spit and not drunk, and the trend is to use glasses instead of tasses à vin. In any case, it is not expected for a tasse à vin to be available at a bar. Credits to @aCOSwt for pointing this rare tasse à vin.
2 I guess your mistake is due to the fact the English "cup" might translate to tasse (cup of tea - tasse de thé), coupe (World Cup - Coupe du monde, Cup of champagne - Coupe de champagne), and verre / gobelet like tumblers in a fast-food. "Cup-holders" in cars or planes are called porte-gobelets. People still often say coupe de champagne even while using flutes but anyway, coupes are not used to drink red wine so none of tasse, coupe or gobelet would have work at a bar.
|
File size
File size
File size
File size
81.0 MB
Larry Gregory talked to Marsh Sutherland, Charbel Elkhoury and Ken Herron from
SocialGrow at a recent Microsoft BizSpark Incubation
Week in Boston hosted by
Sanjay Jain. With a few days of design and development effort SocialGrow leveraged IE8 Accelerator, Multi-Touch and Federated Search capabilities of Windows 7 to help their customers in growing their social network.
Comments Closed
Comments have been closed since this content was published more than 30 days ago, but if you'd like to continue the conversation,
please create a new thread in our Forums, or
Contact Us and let us know.
|
Organizing Committee: Ignacio Mosqueira (NASA Ames/SETI Institute), Dale Cruikshank (NASA Ames) Owing to spacecraft missions and groundbased observations, we possess a wealth of Solar System data. The richness of the observations should provide a solid foundation for our understanding of the early history of the Solar System. Yet, this abundance also means that in practice one must subdivide the problem into more manageable pieces. While this is a practical approach, before reliable conclusions can be obtained in this way, they must survive consistency checks, and a battery of tests involving a sufficiently broad observational sample. Only then can we attain a deeper understanding of the origins of planetary systems in general, and the Solar System in particular.
|
1. Field of the Invention
The present invention relates to wheel inspection technology for a vehicle, and particularly, to a method and apparatus for tuning a parameter of a Kalman filter in a wheel inspection to remove noises in wheel inspection data more effectively.
2. Description of Related Art
For railway vehicles, especially for high speed railway vehicles, wheels are very important and costive assets. Generally, each wheel costs about $10,000, and a rolling stock has about 100 wheels. Given this, the cost of the wheels in one vehicle is very high. In addition, the wheels directly impact the vehicle's speed, safety and comfort.
To minimize wheel failure and to avoid catastrophic events, railway operators are usually equipped with a wheel inspection system to monitor relevant parameters of the wheels and to detect abnormal conditions of the wheels. In the existing wheel inspection systems, usually sensors are installed on the rail and are used to measure the relevant parameters of the wheels. This wheel data is then provided to a status inspection system to analyze whether the shape of the wheel is circular, whether the wheel is worn down, what the wheel diameter difference is, etc., to help the operators know the status of the wheels. In general, the detected relevant parameters of the wheel include a wheel profile and wheel diameter value.
It is well known that there exists noise in the wheel data measured by the sensors, which would cause an error in the analysis result of the wheel data, and may make the analysis result meaningless or generate false alarms. Therefore, it is necessary to remove the noise in the wheel inspection data to ensure that the analysis result can indicate the current status of the wheels accurately. Thus, Kalman filtering technology is often effectively used in the existing wheel inspection system to remove the noise in the signals.
The basic idea of the Kalman filter is to calculate an estimation value of the current status based on the estimation value of the previous status and the measurement value of the current status—It is a kind of recursive estimation. The operation of the Kalman filter includes two phases: prediction and update. In the prediction phase, the current status is predicted based on the estimation value of the previous status. In the update phase, the prediction value obtained in the prediction phase is optimized based on the measurement value of the current status to obtain the more accurate new estimation value.
In the prediction phase, the current status is predicted under formula (1):{circumflex over (x)}k−=Axk−1 (1)
where {circumflex over (x)}k− represents the status prediction value for time k, A represents a status transition matrix, and xk−1 represents the status estimation value for time k−1. Thus the prediction value of the prediction estimation covariance for time k is:Pk−=APk−1AT+Q (2)
where Pk− represents the prediction value of the prediction estimation covariance for time k and Pk−1 represents the estimation value of the prediction estimation covariance for time k−1.
In the update phase, Kalman gain is calculated from formula (3):Kk=Pk−(Pk−+R)−1 (3)
where Kk represents the gain for time k, and R represents the measurement error covariance and is a constant. Then, the status prediction value for time k is updated under formula (4) to obtain the new status estimation value:{circumflex over (x)}k={circumflex over (x)}k−+Kk(zk−{circumflex over (x)}k−) (4)
where {circumflex over (x)}k represents the status estimation value for time k, and zk represents the status measurement value for time k. In addition, the prediction value of the prediction estimation covariance is updated under formula (5) to obtain the new estimation value of the prediction estimation covariance:Pk=(I−Kk)Pk− (5)
where Pk represents the estimation value of the prediction estimation covariance for time k.
In the Kalman filter, the Kalman gain Kk is in fact a balance factor for the prediction estimation covariance Pk and the measurement error covariance R. If the measurement error covariance R is close to 0, the Kalman gain Kk is close to 1, and the updated status estimation value {circumflex over (x)}k is close to the status measurement value zk. If the prediction estimation covariance Pk is close to 0, the Kalman gain Kk is also close to 0, and the updated status estimation value {circumflex over (x)}k is close to the status prediction value {circumflex over (x)}k−.
In the use of the Kalman filter, the measurement error covariance R is usually unchanged. However, in practice, the measurement error covariance R cannot remain unchanged. For example, in the case that the weather condition is changed or the working time is long, the sensors installed on the rail will be affected, leading to the measurement error covariance R being changed. Once the parameter of the Kalman filter is inappropriate, the signal noise remove effect will be decreased, easily resulting in the wrong analysis result. Therefore, it is necessary to consider the changes of the measurement error covariance R of the Kalman filter in the wheel inspection to make the estimation result of the Kalman filter more accurate.
|
Characterization of structure and metal ions specificity of Co2+-binding RNA aptamers.
Studies on RNA motifs capable of binding metal ions have largely focused on Mg(2+)-specific motifs, therefore information concerning interactions of other metal ions with RNA is still very limited. Application of the in vitro selection approach allowed us to isolate two RNA aptamers that bind Co(2+) ions. Structural analysis of their secondary structures revealed the presence of two motifs, loop E and "kissing" loop complex, commonly occurring in RNA molecules. The Co(2+)-induced cleavage method was used for identification of Co(2+)-binding sites after the determination of the optimal cleavage conditions. In the aptamers, Co(2+) ions seem to bind to N7 atoms of purines, inducing cleavage of the adjacent phosphodiester bonds, similarly as is the case with yeast tRNA(Phe). Although the in vitro selection experiment was carried out in the presence of Co(2+) ions only, the aptamers displayed broader metal ions specificity. This was shown by inhibition of Co(2+)-induced cleavages in the presence of the following transition metal ions: Zn(2+), Cd(2+), Ni(2+), and Co(NH(3))(6)(3+) complex. On the other hand, alkaline metal ions such as Mg(2+), Ca(2+), Sr(2+), and Ba(2+) affected Co(2+)-induced cleavages only slightly. Multiple metal ions specificity of Co(2+)-binding sites has also been reported for other in vitro selected or natural RNAs. Among many factors that influence metal specificity of the Co(2+)-binding pocket, chemical properties of metal ions, such as their hardness as well as the structure of the coordination site, seem to be particularly important.
|
The Amazing Race 5 Finale Thoughts
Well, the 5th season of the Emmy award winning THE AMAZING RACE has come to a close… one last leg in the Philippines… if I ever do the RACE, I hope they go to the PI again… I mean find the island with the right flag? I wouldn’t have to blink to find the flag… lol… tough road block, but where’s the DETOUR??? no eating BALUT? darn…
off to Calgary, ever since TAR3 I wanted to luge or bobsled… how sweet would it have been if Colin & Christie were left in Calgary or Denver and Chip & Kim and Brandon & Nicole went ahead to Dallas… lol… man, no final roadblock… are they getting lazy?? anywayz… very, very happy that Chip & Kim won… sucks that Colin & Christie were 2nd, but they should’ve been out last week anyway… so itll be a few months at the most till the next ADVENTURE begins… I can’t wait!
MY SEASON RANKINGS:TAR3TAR5TAR1TAR4TAR2
MY FINALE RANKINGS:TAR3TAR5TAR2TAR1TAR4
And how about BB5, happy that Drew won… it was kinda scary, you didn’t know where the Jury was leaning… good night for television, well good night on CBS at least…
|
Despite taking place during the early ’50s, “American Horror Story: Freak Show,” takes a page out of Baz Luhrmann’s book in not sticking to music accurate to the era, but instead indulging in any tune across the time spectrum, so long as it fits the scene.
First she tackled David Bowie and now in this week’s episode of “Freak Show,” German circus diva Elsa Mars (Jessica Lange) gives us everything we’ve ever wanted in her dazzling performance of Lana Del Rey’s “Gods and Monsters” from her 2012 album, “Paradise.” Imagery of Elsa surrounded by her gang of outcasts is accompanied by foreboding scenes of supernatural newcomer, Edward Modrake (Wes Bentley) creeping through green fog.
|
#! /bin/sh
# Common stub for a few missing GNU programs while installing.
scriptversion=2005-06-08.21
# Copyright (C) 1996, 1997, 1999, 2000, 2002, 2003, 2004, 2005
# Free Software Foundation, Inc.
# Originally by Fran,cois Pinard <pinard@iro.umontreal.ca>, 1996.
# This program is free software; you can redistribute it and/or modify
# it under the terms of the GNU General Public License as published by
# the Free Software Foundation; either version 2, or (at your option)
# any later version.
# This program is distributed in the hope that it will be useful,
# but WITHOUT ANY WARRANTY; without even the implied warranty of
# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
# GNU General Public License for more details.
# You should have received a copy of the GNU General Public License
# along with this program; if not, write to the Free Software
# Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, MA
# 02110-1301, USA.
# As a special exception to the GNU General Public License, if you
# distribute this file as part of a program that contains a
# configuration script generated by Autoconf, you may include it under
# the same distribution terms that you use for the rest of that program.
if test $# -eq 0; then
echo 1>&2 "Try \\`$0 --help' for more information"
exit 1
fi
run=:
# In the cases where this matters, `missing' is being run in the
# srcdir already.
if test -f configure.ac; then
configure_ac=configure.ac
else
configure_ac=configure.in
fi
msg="missing on your system"
case "$1" in
--run)
# Try to run requested program, and just exit if it succeeds.
run=
shift
"$@" && exit 0
# Exit code 63 means version mismatch. This often happens
# when the user try to use an ancient version of a tool on
# a file that requires a minimum version. In this case we
# we should proceed has if the program had been absent, or
# if --run hadn't been passed.
if test $? = 63; then
run=:
msg="probably too old"
fi
;;
-h|--h|--he|--hel|--help)
echo "\\
$0 [OPTION]... PROGRAM [ARGUMENT]...
Handle \\`PROGRAM [ARGUMENT]...' for when PROGRAM is missing, or return an
error status if there is no known handling for PROGRAM.
Options:
-h, --help display this help and exit
-v, --version output version information and exit
--run try to run the given command, and emulate it if it fails
Supported PROGRAM values:
aclocal touch file \\`aclocal.m4'
autoconf touch file \\`configure'
autoheader touch file \\`config.h.in'
automake touch all \\`Makefile.in' files
bison create \\`y.tab.[ch]', if possible, from existing .[ch]
flex create \\`lex.yy.c', if possible, from existing .c
help2man touch the output file
lex create \\`lex.yy.c', if possible, from existing .c
makeinfo touch the output file
tar try tar, gnutar, gtar, then tar without non-portable flags
yacc create \\`y.tab.[ch]', if possible, from existing .[ch]
Send bug reports to <bug-automake@gnu.org>."
exit $?
;;
-v|--v|--ve|--ver|--vers|--versi|--versio|--version)
echo "missing $scriptversion (GNU Automake)"
exit $?
;;
-*)
echo 1>&2 "$0: Unknown \\`$1' option"
echo 1>&2 "Try \\`$0 --help' for more information"
exit 1
;;
esac
# Now exit if we have it, but it failed. Also exit now if we
# don't have it and --version was passed (most likely to detect
# the program).
case "$1" in
lex|yacc)
# Not GNU programs, they don't have --version.
;;
tar)
if test -n "$run"; then
echo 1>&2 "ERROR: \\`tar' requires --run"
exit 1
elif test "x$2" = "x--version" || test "x$2" = "x--help"; then
exit 1
fi
;;
*)
if test -z "$run" && ($1 --version) > /dev/null 2>&1; then
# We have it, but it failed.
exit 1
elif test "x$2" = "x--version" || test "x$2" = "x--help"; then
# Could not run --version or --help. This is probably someone
# running `$TOOL --version' or `$TOOL --help' to check whether
# $TOOL exists and not knowing $TOOL uses missing.
exit 1
fi
;;
esac
# If it does not exist, or fails to run (possibly an outdated version),
# try to emulate it.
case "$1" in
aclocal*)
echo 1>&2 "\\
WARNING: \\`$1' is $msg. You should only need it if
you modified \\`acinclude.m4' or \\`${configure_ac}'. You might want
to install the \\`Automake' and \\`Perl' packages. Grab them from
any GNU archive site."
touch aclocal.m4
;;
autoconf)
echo 1>&2 "\\
WARNING: \\`$1' is $msg. You should only need it if
you modified \\`${configure_ac}'. You might want to install the
\\`Autoconf' and \\`GNU m4' packages. Grab them from any GNU
archive site."
touch configure
;;
autoheader)
echo 1>&2 "\\
WARNING: \\`$1' is $msg. You should only need it if
you modified \\`acconfig.h' or \\`${configure_ac}'. You might want
to install the \\`Autoconf' and \\`GNU m4' packages. Grab them
from any GNU archive site."
files=`sed -n 's/^[ ]*A[CM]_CONFIG_HEADER(\\([^)]*\\)).*/\\1/p' ${configure_ac}`
test -z "$files" && files="config.h"
touch_files=
for f in $files; do
case "$f" in
*:*) touch_files="$touch_files "`echo "$f" |
sed -e 's/^[^:]*://' -e 's/:.*//'`;;
*) touch_files="$touch_files $f.in";;
esac
done
touch $touch_files
;;
automake*)
echo 1>&2 "\\
WARNING: \\`$1' is $msg. You should only need it if
you modified \\`Makefile.am', \\`acinclude.m4' or \\`${configure_ac}'.
You might want to install the \\`Automake' and \\`Perl' packages.
Grab them from any GNU archive site."
find . -type f -name Makefile.am -print |
sed 's/\\.am$/.in/' |
while read f; do touch "$f"; done
;;
autom4te)
echo 1>&2 "\\
WARNING: \\`$1' is needed, but is $msg.
You might have modified some files without having the
proper tools for further handling them.
You can get \\`$1' as part of \\`Autoconf' from any GNU
archive site."
file=`echo "$*" | sed -n 's/.*--output[ =]*\\([^ ]*\\).*/\\1/p'`
test -z "$file" && file=`echo "$*" | sed -n 's/.*-o[ ]*\\([^ ]*\\).*/\\1/p'`
if test -f "$file"; then
touch $file
else
test -z "$file" || exec >$file
echo "#! /bin/sh"
echo "# Created by GNU Automake missing as a replacement of"
echo "# $ $@"
echo "exit 0"
chmod +x $file
exit 1
fi
;;
bison|yacc)
echo 1>&2 "\\
WARNING: \\`$1' $msg. You should only need it if
you modified a \\`.y' file. You may need the \\`Bison' package
in order for those modifications to take effect. You can get
\\`Bison' from any GNU archive site."
rm -f y.tab.c y.tab.h
if [ $# -ne 1 ]; then
eval LASTARG="\\${$#}"
case "$LASTARG" in
*.y)
SRCFILE=`echo "$LASTARG" | sed 's/y$/c/'`
if [ -f "$SRCFILE" ]; then
cp "$SRCFILE" y.tab.c
fi
SRCFILE=`echo "$LASTARG" | sed 's/y$/h/'`
if [ -f "$SRCFILE" ]; then
cp "$SRCFILE" y.tab.h
fi
;;
esac
fi
if [ ! -f y.tab.h ]; then
echo >y.tab.h
fi
if [ ! -f y.tab.c ]; then
echo 'main() { return 0; }' >y.tab.c
fi
;;
lex|flex)
echo 1>&2 "\\
WARNING: \\`$1' is $msg. You should only need it if
you modified a \\`.l' file. You may need the \\`Flex' package
in order for those modifications to take effect. You can get
\\`Flex' from any GNU archive site."
rm -f lex.yy.c
if [ $# -ne 1 ]; then
eval LASTARG="\\${$#}"
case "$LASTARG" in
*.l)
SRCFILE=`echo "$LASTARG" | sed 's/l$/c/'`
if [ -f "$SRCFILE" ]; then
cp "$SRCFILE" lex.yy.c
fi
;;
esac
fi
if [ ! -f lex.yy.c ]; then
echo 'main() { return 0; }' >lex.yy.c
fi
;;
help2man)
echo 1>&2 "\\
WARNING: \\`$1' is $msg. You should only need it if
you modified a dependency of a manual page. You may need the
\\`Help2man' package in order for those modifications to take
effect. You can get \\`Help2man' from any GNU archive site."
file=`echo "$*" | sed -n 's/.*-o \\([^ ]*\\).*/\\1/p'`
if test -z "$file"; then
file=`echo "$*" | sed -n 's/.*--output=\\([^ ]*\\).*/\\1/p'`
fi
if [ -f "$file" ]; then
touch $file
else
test -z "$file" || exec >$file
echo ".ab help2man is required to generate this page"
exit 1
fi
;;
makeinfo)
echo 1>&2 "\\
WARNING: \\`$1' is $msg. You should only need it if
you modified a \\`.texi' or \\`.texinfo' file, or any other file
indirectly affecting the aspect of the manual. The spurious
call might also be the consequence of using a buggy \\`make' (AIX,
DU, IRIX). You might want to install the \\`Texinfo' package or
the \\`GNU make' package. Grab either from any GNU archive site."
# The file to touch is that specified with -o ...
file=`echo "$*" | sed -n 's/.*-o \\([^ ]*\\).*/\\1/p'`
if test -z "$file"; then
# ... or it is the one specified with @setfilename ...
infile=`echo "$*" | sed 's/.* \\([^ ]*\\) *$/\\1/'`
file=`sed -n '/^@setfilename/ { s/.* \\([^ ]*\\) *$/\\1/; p; q; }' $infile`
# ... or it is derived from the source name (dir/f.texi becomes f.info)
test -z "$file" && file=`echo "$infile" | sed 's,.*/,,;s,.[^.]*$,,'`.info
fi
# If the file does not exist, the user really needs makeinfo;
# let's fail without touching anything.
test -f $file || exit 1
touch $file
;;
tar)
shift
# We have already tried tar in the generic part.
# Look for gnutar/gtar before invocation to avoid ugly error
# messages.
if (gnutar --version > /dev/null 2>&1); then
gnutar "$@" && exit 0
fi
if (gtar --version > /dev/null 2>&1); then
gtar "$@" && exit 0
fi
firstarg="$1"
if shift; then
case "$firstarg" in
*o*)
firstarg=`echo "$firstarg" | sed s/o//`
tar "$firstarg" "$@" && exit 0
;;
esac
case "$firstarg" in
*h*)
firstarg=`echo "$firstarg" | sed s/h//`
tar "$firstarg" "$@" && exit 0
;;
esac
fi
echo 1>&2 "\\
WARNING: I can't seem to be able to run \\`tar' with the given arguments.
You may want to install GNU tar or Free paxutils, or check the
command line arguments."
exit 1
;;
*)
echo 1>&2 "\\
WARNING: \\`$1' is needed, and is $msg.
You might have modified some files without having the
proper tools for further handling them. Check the \\`README' file,
it often tells you about the needed prerequisites for installing
this package. You may also peek at any GNU archive site, in case
some other package would contain this missing \\`$1' program."
exit 1
;;
esac
exit 0
# Local variables:
# eval: (add-hook 'write-file-hooks 'time-stamp)
# time-stamp-start: "scriptversion="
# time-stamp-format: "%:y-%02m-%02d.%02H"
# time-stamp-end: "$"
# End:
|
Q:
GeoDjango: Order by distance for model that has a ForeignKey relation to another model that has a PointField
Model A has a ForeignKey relation to Model B. Model B has a PointField. Is there a way to order Model A objects by distance from a POINT?
A:
Assuming that both Model A and B are using objects = models.GeoManager(), the FK field on Model A is named b, Model B has PointField named point, and pnt is a GEOSGeometry then the following should work:
A.objects.distance(pnt, field_name='b__point').order_by('distance')
|
A critical evaluation of the utility of eggshells for estimating mercury concentrations in avian eggs.
Eggshells are a potential tool for nonlethally sampling contaminant concentrations in bird eggs, yet few studies have examined their utility to represent mercury exposure. We assessed mercury concentrations in eggshell components for 23 bird species and determined whether they correlated with total mercury (THg) in egg contents. We designed a multi-experiment analysis to examine how THg is partitioned into eggshell components, specifically hardened eggshells, material adhered to the eggshells, and inner eggshell membranes. The THg concentrations in eggshells were much lower than in egg contents, and almost all of the THg within the eggshell was contained within material adhered to eggshells and inner eggshell membranes, and specifically not within calcium-rich hardened eggshells. Despite very little mercury in hardened eggshells, THg concentrations in hardened eggshells had the strongest correlation with egg contents among all eggshell components. However, species with the same THg concentrations in eggshells had different THg concentrations in egg contents, indicating that there is no global predictive equation among species for the relationship between eggshell and egg content THg concentrations. Furthermore, for all species, THg concentrations in eggshells decreased with relative embryo age. Although the majority of mercury in eggshells was contained within other eggshell components and not within hardened eggshells, THg in hardened eggshells can be used to estimate THg concentrations in egg contents, if embryo age and species are addressed. Environ Toxicol Chem 2017;36:2417-2427. Published 2017 Wiley Periodicals Inc. on behalf of SETAC. This article is a US government work and, as such, is in the public domain in the United States of America.
|
Sint-Gertrudis-Pede
Sint-Gertrudis-Pede is a village in Dilbeek
Toponymy
According to local legend, Gertrude of Nivelles, abbess of Nivelles Abbey, was on her way to Lennik when her carriage became stuck in the mud. Therefore, she was obliged to continue her journey on foot. The name Pede would come from the Latin for "on foot".
History
Sint-Gertrudis-Pede grew around the place where different streams came together to form the Pedebeek, of which the largest is the Laarbeek. Around these streams were three large farmes, who originally depended on the abbey of Nijvel, and later on Gaasbeek.
The village never became an independent municipality, however this almost was the case. On 19 May 1893 the motion to create the municipality of Sint-Getrudis-Pede was accepted in the Chamber of Representatives, but was rejected by the Senate. In 1890 it became an independent parish, stretching over the borders of the municipalities of Schepdaal, Itterbeek, Sint-Martens-Lennik and Vlezenbeek.
In 1977 it became part of the municipality of Dilbeek.
Attractions
Watermill
Pedebeek
Sint-Gertrudis Church
Pedemole footpath
Famous inhabitants
Urbanus, Flemish comedian
References
Category:Dilbeek
Category:Populated places in Flemish Brabant
Category:Populated places in Belgium
|
<section id="related-box">
<h2>Related</h2>
<ul id="related-list">
<% if discover_mode? %>
<li id="secondary-links-posts-hot"><%= link_to "Hot", posts_path(:tags => "order:rank") %></li>
<li id="secondary-links-posts-popular"><%= link_to "Popular", popular_explore_posts_path %></li>
<li id="secondary-links-posts-curated"><%= link_to "Curated", curated_explore_posts_path %></li>
<li><%= link_to "Searches", searches_explore_posts_path %></li>
<li><%= link_to "Viewed", viewed_explore_posts_path %></li>
<% end %>
<li><%= link_to "Deleted", posts_path(tags: "#{params[:tags]} status:deleted"), rel: "nofollow" %></li>
<li><%= link_to "Random", random_posts_path(tags: params[:tags]), id: "random-post", "data-shortcut": "r", rel: "nofollow" %></li>
<% if post_set.query.is_simple_tag? %>
<li><%= link_to "History", post_versions_path(search: { changed_tags: params[:tags] }), rel: "nofollow" %></li>
<% end %>
<li><%= link_to "Count", posts_counts_path(tags: params[:tags]), rel: "nofollow" %></li>
</ul>
</section>
|
Detailed Notes on google images ranking factors
Outstanding submit Rand !! Is often a topic that I experienced requested repeatedly but to which I have not paid out Unique attention but. If you set a title to your images, they also take the domain authority and the web page authority? I'll even have To place the batteries with the recommendation you have got supplied us.
Or they're somewhat more essential than we are used to with World wide web final results. I are convinced is simply because, when it comes to images, Google is mostly hyper-concerned with relevance and serving the person's desire, in lieu of backlink level of popularity. They Don't fret just as much almost about spamming and manipulation in All those benefits. In order to see them employing a form of more old-college style algorithm.
This is something what I skip each time on my blog site. I'm gonna update all my before uploads and may adhere to all Image Search engine optimisation ranking factors. Many thanks Rand.
Over the social website page, you'll find a listing of the most important social platforms for providers. one&1 rankingCoach will consider you to the respective registration internet pages and explains how the signup approach works and what it is best to watch out for.
This continues to be a very intriguing whiteboard. Thank you Rand! I'm going to place all the things in exercise and I'll try to measure my success and share them in An additional comment.
Other Concepts for An effective website link creating campaign include visitor blogging. The final concept at the rear of visitor weblogs is to acquire a url to your web site posted on an now recognized website/web site. These inbound links tend to carry more weight in Google because they are tougher to acquire. Some websites will likely have pretty stringent necessities for the categories of content articles they can acknowledge, so inbound links from these sites have additional price. One more well-known and hugely profitable approach is usually to Make contact with bloggers or webmasters in the specialized niche and easily request them for a hyperlink.
Jeff’s Bonus: Would like to begin on StumbleUpon? I’ve obtained a hyperlink to my beloved write-up on Encounter from the bonus to this publish. Click here to find the free bonus.
Be active in the web Local community. Update your internet site consistently. Google benefits internet sites which see regular maintenance and updates. This suggests if you have been ignoring your website since 2005, you might be in difficulties.
Even though much more traffic is usually great reference it does rely upon the amount traffic vs how much work it will just take click here for more for getting that site visitors. Sometimes it may not be definitely worth the time it requires to rank the images.
For aquiring a chance which the Device Vision know-how of Google (Device Understanding, once more) picks our image as a similar merchandise, we need to have applied schema.org/Merchandise total with an image href referral tagged.
Quit gifting away all my tips, Rand! LOL, kidding of course. In my amateurish and a bit random testing, I believe I am seeing the picture filename obtaining way more effects than I might anticipate. I also Believe I am seeing uniqueness of images impacting ranking. In equally of Individuals circumstances, I am discussing image Search engine optimization influencing the ranking in the site in the frequent Net success (not graphic search). I would LOVE to see a test that examined the impact of impression originality on Online page ranking....To put it differently, if you employ your personal original impression over a web page, vs.
So beware before you decide to go over the money. Only the numerical cost and a hyperlink into the real information is saved inside the index. Further than this there’s a definite difference between the identical star scores. One is you have a image source proscribed term inside your write-up.
Now my question is how would I be capable to rank the images in google for their keywords and phrases? What exactly are the factors guiding the impression rankings on google? #search engine optimisation #google #images #rank Reply
|
20 Watermelon Crafts Perfect for Summer
20 Watermelon Crafts Perfect for Summer
We’re dreaming of warmer weather and ice cold watermelon treats in the afternoon. So, what better way to hold ourselves over for summertime than with a fun watermelon craft or two. We’ve compiled 20 adorable watermelon crafts the kids can make and today we’re sharing them all with you! To see all the fun, please continue reading below.
Affiliate links have been included for your convenience. Please see our full disclosure if you’d like more information.
|
WorbitalCOMING SOON for PC, PS4, Xbox One, Switch
Worbital is space war in real-time with tension-filled gameplay and gravitational destruction.
Each player commandeers a planet, building support structures and increasingly powerful weapons.
Use your weaponry to destroy enemy planets and wreak total havoc to the solar system. The goal: be the last civilization standing!
Interplanetary & Interplanetary: Enhanced Editionfor PC, Mac, Linux
There is a problem with interplanetary civilizations: developing them takes more resources than a single planet can offer, and sometimes even a planetary system is not enough. Especially if you have competition.In distant cosmos, two sister planets have reached a rather tense situation. The ancient greed, inherent to both civilizations, has driven them to most dramatic measures: the building of massive cannons, aimed directly at each other. Let the game of interplanetary artilleries begin!
Take part in the interplanetary war by building the infrastructure of your planet, developing defenses and, of course, erecting mighty weapons on its surface. Aim your guns carefully, and you may manage to guide your missiles through the unpredictable planetary system, straight into the enemy's cities!
Mushroom Crusher ExtremeComing soon for PC, Mac and Linux
Mushroom Crusher Extreme is an isometric arcade-style fantasy game, where you take control of Zenon, a mage with a mission to repel the invasion of giant Shrooms on his native archipelago.
Battle against time and use your elemental magic to vanquish the invaders before it's too late!
Survive the onslaught and BATTLE more than 15 types of vicious Shrooms
COMBO your arsenal of elemental spells and MATCH them against enemy weaknesses to fight your way to victory
EXPLORE the beautiful, handcrafted levels and rid the world of Shrooms once and for all!
Legends of Kitkafor Android, browser
Lake Kitka, the home of the small and quick vendace known as Kitkan Viisas, the sage of the lake. Since ancient times, fishing has been the foundation of life in Koillismaa and now it's your turn to uphold the legacy!
Legends of Kitka is a strategic fishing game, where your goal is to catch fish, upgrade your gear and make a fortune! You start from humble beginnings with just your simple fishing rod and old boat. By selling your catch you will be able to buy new fishing gear, boats, motors, processing equipment and more. Expand your operations and you'll be able to catch vast amounts of fish! Who knows, maybe you'll even encounter some of the legendary beasts of the lake?
Use rods, nets, traps, longlines and fyke nets to catch various types of fish of different rarities
Spiritual Mobile for Windows Phone 7
The story of a mischievous Wisp and the plane of ever changing swamp remains the same, but now there are new elements added: Can you unravel the mystery of the Planar Compass, the Bridge, and the Guardian?
We have also enhanced the gameplay; with added skills and abilities the Wisp can now alter its surroundings and find the way through the mazes more fluently than before!
Break the Aliens!for Windows Phone 7
Break the Aliens! is an action game for Windows Phone 7. Player's goal is to defend the city from invading hordes of aliens by hitting them with the ball until they break into small, glittering flakes of alien dust.The game features 26 levels plus a survival mode, 5 different aliens and several power-ups to help take care of the problem.
Ouroboring Lifefor PC, Windows Phone 7
Ouroboring Life is a game where you try to live a good life, and as we all know, it's simply frigging impossible unless you have wife, kids and a damn dog!
You start as an average John or Jane Doe, and run through your life in 40 seconds. During this you come across events, and the quality of your life will either improve or get worse depending on how you handle them. Then you die.
But the game is not over: Someone from your family will take your place and life goes on. Then they die. And the same junk all over. Thing is, the quality of your life also affects the quality of life of those around you, and through a few generations it just might be possible to live a perfect life. Ouroboring Life was made for Global Game Jam 2012 in about 24 hours.
|
Cosoltepec
Cosoltepec is a town and municipality in Oaxaca in south-western Mexico. The municipality covers an area of 81.65 km².
It is part of the Huajuapan District in the north of the Mixteca Region.
As of 2005, the municipality had a total population of 1022.
References
Category:Municipalities of Oaxaca
Category:Populated places in Oaxaca
|
Q:
Why were dictionary magnitude comparisons removed?
Just curious, nothing more. Why were dictionary magnitude comparisons (> < >= <=) removed in Python3? What's the reason that brought to delete them?
For example: dictA > dictB
A:
Arbitrary comparison ordering was removed from Python 3, see Ordering Comparisons in the What's New in Python 3.0 documentation.
There is no meaningful natural ordering between dictionaries. Python 2 only pretended there was to play nice with sorting mixed lists, but this only led to enormous confusion.
Take comparing strings with integers for example; integers are always smaller than strings in Python:
>>> 10 < "10"
True
Many a beginner will try to compare strings with integers anyway; it is natural to use number = raw_input('Pick a number! ') and then try to compare this with an integer; and sometimes this will look like it is working! In Python 3 this is now an error.
The same applies to the majority of objects; unless they explicitly define comparison methods (__lt__, __gt__, etc.) the types are not orderable. This includes dictionaries.
|
// NO INCLUDE GUARDS, THE HEADER IS INTENDED FOR MULTIPLE INCLUSION
// Copyright Aleksey Gurtovoy 2002-2004
//
// Distributed under the Boost Software License, Version 1.0.
// (See accompanying file LICENSE_1_0.txt or copy at
// http://www.boost.org/LICENSE_1_0.txt)
// $Source$
// $Date$
// $Revision$
#undef BOOST_TT_AUX_SIZE_T_TRAIT_DEF1
#undef BOOST_TT_AUX_SIZE_T_TRAIT_SPEC1
#undef BOOST_TT_AUX_SIZE_T_TRAIT_PARTIAL_SPEC1_1
|
# encoding: UTF-8
# This file contains data derived from the IANA Time Zone Database
# (https://www.iana.org/time-zones).
module TZInfo
module Data
module Definitions
module Asia
module Chungking
include TimezoneDefinition
linked_timezone 'Asia/Chungking', 'Asia/Shanghai'
end
end
end
end
end
|
See tears of happiness in the eyes of your dear ones when you send them this Luminous Spirit of the Season Bouquet wrapped up in your love. This Flower Bouquet is crafted by our expert florists from the freshest Twelve Pink Roses wrapped together with Purple Statice and lots of Fillers....
You guys have provided an incredibly good service. Will look forward in doing more business with you in future! – Devendra Singh, Lucknow
Thanks for delivering the gift so fresh. I could feel the happiness far away in USA which brought to my fiancée back home in India. Thanks again! – Suchitra Dasgupta, Canada
Hi, I have been always happy with your site’s delivery timing and the quality of the products. This time I am especially happy since I ordered it at the very last moment. Still you managed it so well. – Jasper, Brazil
Thanks that my order reached my family the day I wanted, and it was exactly what I ordered. This has given me the confidence to do more business with you. Keeps the good work going! – Beckett, U.K
I was so happy to hear how happy my daughter was when she received her birthday present. You have proved yet again that you take the business and customers' satisfaction very seriously. I will not only stick to your site for all of my future transactions but also will go an extra mile to recommend your service to my friends. Hats off to you! – Harshita Jain, Mumbai
**Declaration:Wine, Whiskey, Liquor can only be purchased and delivered to persons who are at least 21 years of age. Placing an order validates that you and the person who accepts delivery will be 21 years of age or older. When such items are delivered, the person accepting delivery may be required to show identification.
|
Association Between Therapeutic Hypothermia and Outcomes in Patients with Non-shockable Out-of-Hospital Cardiac Arrest Developed After Emergency Medical Service Arrival (SOS-KANTO 2012 Analysis Report).
The outcomes of patients with non-shockable out-of-hospital cardiac arrest (non-shockable OHCA) are poorer than those of patients with shockable out-of-hospital cardiac arrest (shockable OHCA). In this retrospective study, we selected patients from the SOS-KANTO 2012 study with non-shockable OHCA that developed after emergency medical service (EMS) arrival and analyzed the effect of therapeutic hypothermia (TH) on non-shockable OHCA patients. Of 16,452 patients who have definitive data on the 3-month outcome in the SOS-KANTO 2012 study, we selected 241 patients who met the following criteria: age ≥ 18 years, normal spontaneous respiration or palpable pulse upon emergency medical services arrival, no ventricular fibrillation or pulseless ventricular tachycardia before hospital arrival, and achievement of spontaneous circulation without cardiopulmonary bypass. Patients were divided into two groups based on the presence or absence of TH and were analyzed. Of the 241 patients, 49 underwent TH. Univariate analysis showed that the 1-/3-month survival rates and favorable 3-month cerebral function outcome rates in the TH group were significantly better than the non-TH group (46% vs 19%, respectively, P < 0.001, 35% vs 12%, respectively, P < 0.001, 20% vs 7%, respectively, P = 0.01). Multivariate logistic regression analysis showed that TH was a significant, independent prognostic factor for cerebral function outcome. In this study, TH was an independent prognostic factor for the 3-month cerebral function outcome. Even in patients with non-shockable OHCA, TH may improve outcome if the interval from the onset of cardiopulmonary arrest is relatively short, and adequate cardiopulmonary resuscitation is initiated immediately after onset.
|
Brief cognitive behavioural therapy for hallucinations: can it help people who decide not to take antipsychotic medication? A case report.
Cognitive behavioural therapy (CBT) can be helpful for many people who experience psychosis; however most research trials have been conducted with people also taking antipsychotic medication. There is little evidence to know whether CBT can help people who choose not to take this medication, despite this being a very frequent event. Developing effective alternatives to antipsychotics would offer service users real choice. To report a case study illustrating how brief CBT may be of value to a young person experiencing psychosis and not wishing to take antipsychotic medication. We describe the progress of brief CBT for a young man reporting auditory and visual hallucinations in the form of a controlling and dominating invisible companion. We describe the formulation process and discuss the impact of key interventions such as normalising and detached mindfulness. Seven sessions of CBT resulted in complete disappearance of the invisible companion. The reduction in frequency and duration followed reduction in conviction in key appraisals concerning uncontrollability and unacceptability. This case adds to the existing evidence base by suggesting that even short-term CBT might lead to valued outcomes for service users experiencing psychosis but not wishing to take antipsychotic medication.
|
Q:
Reference a column by a variable
I want to reference a table column by a variable while creating another column but I can't get the syntax:
t0 = Table.FromRecords({[a = 1, b = 2]}),
c0 = "a", c1 = "b",
t1 = Table.AddColumn(t0, "c", each([c0] + [c1]))
I get the error the record's field 'c0' was not found. It is understanding c0 as a literal but I want the text value contained in c0. How to do it?
Edit
I used this inspired by the accepted answer:
t0 = Table.FromRecords({[a = 1, b = 2]}),
c0 = "a", c1 = "b",
t1 = Table.AddColumn(t0, "c", each(Record.Field(_, c0) + Record.Field(_, c1)))
A:
Another way:
let
t0 = Table.FromRecords({[a = 1, b = 2]}),
f = {"a","b"},
t1 = Table.AddColumn(t0, "sum", each List.Sum(Record.ToList(Record.SelectFields(_, f))))
in
t1
|
Q:
Gradient algorithm produces little white dots
I'm working on an algorithm to generate point to point linear gradients. I have a rough proof of concept implementation done:
GLuint OGLENGINEFUNCTIONS::CreateGradient( std::vector<ARGBCOLORF> &input,POINTFLOAT start, POINTFLOAT end, int width, int height,bool radial )
{
std::vector<POINT> pol;
std::vector<GLubyte> pdata(width * height * 4);
std::vector<POINTFLOAT> linearpts;
std::vector<float> lookup;
float distance = GetDistance(start,end);
RoundNumber(distance);
POINTFLOAT temp;
float incr = 1 / (distance + 1);
for(int l = 0; l < 100; l ++)
{
POINTFLOAT outA;
POINTFLOAT OutB;
float dirlen;
float perplen;
POINTFLOAT dir;
POINTFLOAT ndir;
POINTFLOAT perp;
POINTFLOAT nperp;
POINTFLOAT perpoffset;
POINTFLOAT diroffset;
dir.x = end.x - start.x;
dir.y = end.y - start.y;
dirlen = sqrt((dir.x * dir.x) + (dir.y * dir.y));
ndir.x = static_cast<float>(dir.x * 1.0 / dirlen);
ndir.y = static_cast<float>(dir.y * 1.0 / dirlen);
perp.x = dir.y;
perp.y = -dir.x;
perplen = sqrt((perp.x * perp.x) + (perp.y * perp.y));
nperp.x = static_cast<float>(perp.x * 1.0 / perplen);
nperp.y = static_cast<float>(perp.y * 1.0 / perplen);
perpoffset.x = static_cast<float>(nperp.x * l * 0.5);
perpoffset.y = static_cast<float>(nperp.y * l * 0.5);
diroffset.x = static_cast<float>(ndir.x * 0 * 0.5);
diroffset.y = static_cast<float>(ndir.y * 0 * 0.5);
outA.x = end.x + perpoffset.x + diroffset.x;
outA.y = end.y + perpoffset.y + diroffset.y;
OutB.x = start.x + perpoffset.x - diroffset.x;
OutB.y = start.y + perpoffset.y - diroffset.y;
for (float i = 0; i < 1; i += incr)
{
temp = GetLinearBezier(i,outA,OutB);
RoundNumber(temp.x);
RoundNumber(temp.y);
linearpts.push_back(temp);
lookup.push_back(i);
}
for (unsigned int j = 0; j < linearpts.size(); j++) {
if(linearpts[j].x < width && linearpts[j].x >= 0 &&
linearpts[j].y < height && linearpts[j].y >=0)
{
pdata[linearpts[j].x * 4 * width + linearpts[j].y * 4 + 0] = (GLubyte) j;
pdata[linearpts[j].x * 4 * width + linearpts[j].y * 4 + 1] = (GLubyte) j;
pdata[linearpts[j].x * 4 * width + linearpts[j].y * 4 + 2] = (GLubyte) j;
pdata[linearpts[j].x * 4 * width + linearpts[j].y * 4 + 3] = (GLubyte) 255;
}
}
lookup.clear();
linearpts.clear();
}
return CreateTexture(pdata,width,height);
}
It works as I would expect most of the time, but at certain angles it produces little white dots. I can't figure out what does this.
This is what it looks like at most angles (good) http://img9.imageshack.us/img9/5922/goodgradient.png
But once in a while it looks like this (bad): http://img155.imageshack.us/img155/760/badgradient.png
What could be causing the white dots?
Is there maybe also a better way to generate my gradients if no solution is possible for this?
Thanks
A:
I think you have a bug indexing into the pdata byte vector. Your x domain is [0, width) but when you multiply out the indices you're doing x * 4 * width. It should probably be x * 4 + y * 4 * width or x * 4 * height + y * 4 depending on whether you're data is arranged row or column major.
|
Search engine optimization metrics
A number of metrics are available to marketers interested in search engine optimization. Search engines and software creating such metrics all use their own crawled data to derive at a numeric conclusion on a website's organic search potential. Since these metrics can be manipulated, they can never be completely reliable for accurate and truthful results.
Google PageRank
Google PageRank (Google PR) is one of the methods Google uses to determine a page's relevance or importance. Important pages receive a higher PageRank and are more likely to appear at the top of the search results. Google PageRank (PR) is a measure from 0 - 10. Google PageRank is based on backlinks. PageRank works by counting the number and quality of links to a page to determine a rough estimate of how important the website is. The underlying assumption is that more important websites are likely to receive more links from other websites. However, Google claims there will be no more PageRank updates, rendering this metric as outdated. As of 15 April 2016 Google has officially removed the PR score from their Toolbar.
Alexa Traffic Rank
Alexa Traffic Rank is based on the amount of traffic recorded from users that have the Alexa toolbar installed over a period of three months. A site's ranking is based on a combined measure of Unique Visitors and Pageviews. Unique Visitors are determined by the number of unique Alexa users who visit a site on a given day. Pageviews are the total number of Alexa user URL requests for a site. Alexa's Traffic Ranks are for domains only and do not give separate rankings for subpages within a domain or subdomains.
Moz Domain Authority
Domain Authority (DA), a website metric developed by Moz, is a predictive metric to determine a website's traffic and organic search engine rankings. Domain Authority is based on different link metrics, such as number of linking root domains, number of total backlinks, and the distance of backlinks from the home page of websites.
Moz Page Authority
Compared to Domain Authority which determines the ranking strength of an entire domain or subdomain, Page Authority measures the strength of an individual page.
It's a score developed by Moz on a 100-point logarithmic scale. Unlike TrustFlow, domain authority does not account for spam.
References
Category:Search engine optimization
|
Soft Hard Real-Time Kernel
S.Ha.R.K. (the acronym stands for Soft Hard Real-time Kernel) is a completely configurable kernel architecture designed for supporting hard, soft, and non real-time applications with interchangeable scheduling algorithms.
Main features
The kernel architecture's main benefit is that an application can be developed independently from a particular system configuration. This allows new modules to be added or replaced in the same application, so that specific scheduling policies can be evaluated for predictability, overhead and performance.
Applications
S.Ha.R.K. was developed at RETIS Lab, a research facility of the Sant'Anna School of Advanced Studies, and at the University of Pavia, as a tool for teaching, testing and developing real-time software systems. It is used for teaching at many universities, including the Sant'Anna School of Advanced Studies and Malardalens University in Sweden.
Modularity
Unlike the kernels in traditional operating systems, S.Ha.R.K. is fully modular in terms of scheduling policies, aperiodic servers, and concurrency control protocols. Modularity is achieved by partitioning system activities between a generic kernel and a set of modules, which can be registered at initialization to configure the kernel according to specific application requirements.
History
S.Ha.R.K. is the evolution of the Hartik Kernel and it is based on the OSLib Project.
See also
Real-time operating system
External links
The S.Ha.R.K. Project official site
Category:Real-time operating systems
Category:Free software operating systems
|
Q:
jQuery UI does not load on $("#content").load page for .button
I seem to make a mistake in the following:
html: index.html, main.html, etc
js: jQuery, jQuery UI, own.js, own_main.js
The end result should be an index page that based on a menu choice loads a html in a div.
The HTML that loads has a button element that I want to use with jQuery UI.
Index.html
<html lang="us">
<head>
<meta charset="utf-8">
<meta charset="utf-8">
<meta http-equiv="X-UA-Compatible" content="IE=edge,chrome=1">
<title>Dev</title>
<meta name="description" content="">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<link href="css/kendo.dataviz.default.min.css" rel="stylesheet" />
<link href="css/kendo.dataviz.min.css" rel="stylesheet" />
<link rel="stylesheet" href="css/bootstrap.min.css">
<link rel="stylesheet" href="css/bootstrap-theme.min.css">
<link rel="stylesheet" href="css/main.css">
<link href="css/jquery-ui-1.10.3.custom.css" rel="stylesheet">
<link href="css/typ.css" rel="stylesheet" />
<script src="js/modernizr-2.6.2-respond-1.1.0.min.js"></script>
<script src="Scripts/jquery-2.0.3.js"></script>
<script src="js/jquery-ui-1.10.3.custom.min.js"></script>
<script src="js/bootstrap.min.js"></script>
<script src="js/typ.js"></script>
<script src="js/typ-persons.js"></script>
</head>
<body>
<div id="content"></div>
</body>
</html>
typ.js file
function currentLoc(goToLoc) {
if (CheckLogin() == 0) {
//Not logged in, go to main
$("#content").load("/main.html");
window.localStorage.globalLocation = "/main.html";
} else {
if (goToLoc == '') {
console.log("No GoToLoc: " + goToLoc);
if (window.localStorage.globalLocation == '') {
console.log("No Global location");
$("#content").load("/main.html");
window.localStorage.globalLocation = "/main.html";
} else {
console.log("Global Location " + window.localStorage.globalLocation);
$("#content").load(window.localStorage.globalLocation);
}
} else {
console.log("GoToLoc " + goToLoc);
$("#content").load(goToLoc);
window.localStorage.globalLocation = goToLoc;
}
}
}
persons.html
<script src="js/typ-persons.js"></script>
<div class="container">
<style>
#toolbar {
padding: 4px;
display: inline-block;
}
/* support: IE7 */
* + html #toolbar {
display: inline;
}
</style>
<div id="toolbar" style="width:100%;" class="ui-widget-header ui-corner-all">
<button id="btnNew" ></button>
<button id="btnSave"></button>
<label for="persons">Find Person by Name or ID: </label>
<input type="text" class="input-sm" id="persons">
<input type="hidden" id="person-id">
</div>
</div>
typ-persons.js
$(function () {
$("#btnNew").button({
text: false,
label: "New Person",
icons: {
primary: "ui-icon-document"
}
})
.click(function () {
});
$("#btnSave").button({
text: false,
label: "Save",
disabled: true,
icons: {
primary: "ui-icon-disk"
}
})
.click(function () {
});
});
On the persons page there is also an autocomplete element with json data.
This works like a charm.
The problem is that the toolbar does not get the buttons applied from the typ-persons.js.
When I add the jQuery UI to the persons.html the buttons do work and get styled as they are supposed to.
The problem then is that jQuery UI loads twice and the autocomplete drowdown disappears on mouse over.
Kind of a paradox here and I would like both to work.
Thanks for your help,
Joris
A:
I have the hunch that your persons.html file is the main.html addressed in the code. Otherwise I can't see where do you load persons.html or what are you loading when you load main.html.
Why are you adding typ-persons.js to persons.html, if you already have it in your main html file? In the way it's added, there's going to be double binding on button clicks. More than once, I believe. It would work on first load and then screw button behavior for good.
EDIT: After OP clarifications, these are my suggestions.
First: instead of putting new JS into persons html, make it just plain html. Make sure you don't use id attributes when that content is prone to be loaded several times. In that case, it's best to use classes.
<div class="container">
<style>
#toolbar {
padding: 4px;
display: inline-block;
}
/* support: IE7 */
* + html #toolbar {
display: inline;
}
</style>
<div id="toolbar" style="width:100%;" class="ui-widget-header ui-corner-all">
<button class="btnNew" ></button>
<button class="btnSave"></button>
<label for="persons">Find Person by Name or ID: </label>
<input type="text" class="input-sm" id="persons">
<input type="hidden" id="person-id">
</div>
</div>
Second: since you won't load new JS in that ajax call, you need to give the new buttons their behavior somewhere, right? Try to do that after they're appended, using jQuery's callback. I'd reccomend you use get method instead of load to have a bit more control on new content. Instead of
$("#content").load("/persons.html");
Try
$.get("/persons.html",function(responseText) {
var newElement=jQuery(responseText);
$("#content").append(newElement);
$(".btnNew", newElement).button({
text: false,
label: "New Person",
icons: {
primary: "ui-icon-document"
}
}).click(function () {
});
$(".btnSave",newElement).button({
text: false,
label: "Save",
disabled: true,
icons: {
primary: "ui-icon-disk"
}
}).click(function () {
});
});
Third: whatever listener you need to be set on dynamic elements, delegate them to the document to avoid needing to redeclare it (with the risk of double binding). I see no examples of this in your original post, but if you have any case of click, focus, or blur listeners (to name a few) I'll include a practical example.
|
Intraoperative localization of the central sulcus by cortical somatosensory evoked potentials in brain tumor. Case report.
Perplexing findings of cortical somatosensory evoked potentials (SEP's) for determining the central sulcus during a craniotomy are reported in a case of brain tumor. On stimulation of the contralateral median nerve in that patient, phase-reversal of SEP waves N1 and P2 was observed not only across the central sulcus but also across the precentral sulcus. In topographic mapping of the N1-P2 amplitude, the sulcus dividing the maximum polarity was the central sulcus; this was confirmed by the cortical stimulation-evoked motor responses. For accurate localization of the central sulcus by cortical SEP's, the distribution of potentials must be analyzed with extensive exposure of the sensorimotor cortex.
|
Narcissus
Description
Narcissus is a botanical name for the sort of springtime bulbous plant of amaryllis family, Amaryllidaceae. There are around 26 of wild and several hundreds of cultivated variances, and although it is mainly considered to be a spring-time flower, some sorts bloom in autumn. Sorts are different by color, shape and size. The flower can be yellow or white, but also combined white and yellow, orange, red, and pink. The flowers, growing on a strong stalk, can be star-shaped or trumpet shaped, simple or multi-flowered. The leaves are long and light-green.
Narcissus is a genus of mainly hardy, mostly spring-flowering, bulbous perennials in the Amaryllis family, subfamily Amaryllidoideae. Various common names including daffodil, narcissus, and jonquil are used to describe all or some of the genus.Various common names including daffodil, narcissus, and jonquil are used to describe all or some of the genus. They are native to meadows and woods in Europe, North Africa and West Asia, with a center of distribution in the Western Mediterranean. The number of distinct species varies widely depending on how they are classified, with the disparity due to similarity between species and hybridization between species.
The number of defined species ranges from 26 to more than 60, depending on the authority. Species and hybrids are widely used in gardens and landscapes.The derivation of the Latin narcissus (from the ancient Greek ?????ss??) is unknown. It may be a loanword from another language. It is frequently linked to the Greek myth of Narcissus, who became so obsessed with his own reflection that as he knelt and gazed into a pool of water, he fell into the water and drowned.In some variations, he died of starvation and thirst. In both versions, the narcissus plant sprang from where he died. However, there is no evidence for this popular derivation, and the person's name may have come from the flower's name. Pliny wrote that the plant was named for its narcotic properties (?a???? narkao, "I grow numb" in Greek).
Again, this explanation lacks any real proof and is largely discredited."Narcissus" is the most commonly used plural, but "narcissi" and "narcissuses" are also acceptable plurals in both British and American English usage. Narcissus grow from pale brown-skinned spherical bulbs with pronounced necks. The leafless stems, appearing from early to late spring depending on the species, bear from 1 to 20 blooms. Each flower has a central bell-, bowl-, or disc-shaped corona surrounded by a ring of six floral leaves called the perianth which is united into a tube at the forward edge of the 3-locular ovary. The three outer segments are sepals, and the three inner segments are petals.
Flower colour varies from white through yellow to deep orange. Breeders have developed some daffodils with double, triple, or ambiguously multiple rows and layers of segments, and several wild species also have known double variants.The seeds are black, round and swollen with a hard coat.One of the most common dermatitis problems for florists, "daffodil itch" involves dryness, fissures, scaling, and erythema in the hands, often accompanied by subungual hyperkeratosis (thickening of the skin beneath the nails). It is blamed on exposure to calcium oxalate in the sap.One of the most expensive absolutes in the lab , but mere traces in a blend can do wonders. Traces in Musks especially White Musks for Fragrances will smell delightful with traces of this material. Jasmine accords will be boosted tremendously by this wonderful material.
|
Introduction
============
Epithelial ovarian cancer is the most lethal gynecologic malignancy,[@b1-ott-11-7603] and high-grade serous ovarian carcinoma (HGSOC) accounts for most of the morbidity and mortality in this tumor type. Although the concept of HGSOC has been raised up for decades, till now, our understanding of HGSOC remains limited compared with other tumor types.[@b2-ott-11-7603] HGSOC is generally diagnosed at advanced FIGO stages (stage III and stage IV), and the accurate diagnosis of this specific histological tumor type was only established in the last decade. Interestingly, the origin of HGSOC is the fallopian tubes instead of ovarian tissues.[@b3-ott-11-7603] The poor prognosis of HGSOC is partially resulted from lacking early disease-specific symptoms and biomarkers. For example, the cancer antigen 125 (CA-125) is useful in monitoring disease status but failed to accomplish detection of early FIGO stage.[@b4-ott-11-7603] In addition, HGSOC is initially hypersensitive to platinum chemotherapy, however, up to 75% of those responding cases occur with platinum-resistant relapse, and the 5-year survival rate is less than 40%.[@b5-ott-11-7603] Last but not least, HGSOC is characterized with high invasive capacity, and the underlying molecular mechanism is still the major limitation for developing novel therapies. Therefore, identifying novel and reliable biomarkers for early diagnosis of HGSOC is urgently needed.[@b6-ott-11-7603]
Phosphorylation and de-phosphorylation are one of the most important post-translational modifications in functional proteins.[@b7-ott-11-7603] Tyrosine phosphorylation is balanced by various kinases and protein tyrosine phosphatases (PTPs), playing critical roles in cellular survival, proliferation, and motility. PTPL1, also known as PTPN13, is a kind of non-receptor PTPs.[@b8-ott-11-7603] Besides the conserved PTP domain for catalyzing de-phosphorylation, PTPL1 contains complex interaction domains such as PDZ domains.[@b9-ott-11-7603] Due to the diversity of protein substrates, PTPL1 may show distinct roles in different tumor types. For example, PTPL1 can dephosphorylate insulin receptor substrate-1 (IRS-1) and induce apoptosis of Hela cells.[@b10-ott-11-7603] In contrast, PTPL1 dephosphorylates Fas (Apo-1, CD95) protein, subsequently suppresses the Fas-caspase 8 apoptosis signaling pathway and promotes tumor progression of hepatocellular carcinoma.[@b11-ott-11-7603] Therefore, identifying novel PTPL1 substrates will significantly enlarge our understanding of the molecular basis for its distinct functions in tumors.
PTPL1 has been reported to be upregulated in Fas-resistant ovarian cancer cell line SKOV3 and induced chemo-resistance by downregulating the Fas protein.[@b12-ott-11-7603] However, its prognostic role in HGSOC patients has not been systematically studied. In this study, we explored the mRNA and protein expression of PTPL1 in clinical HGSOC samples and identified that its lower expression is an unfavorable prognostic factor. In addition, we found that PTPL1 can directly inhibit proliferation and invasion of HGSOC cells, which is completely different from the results in chemoresistant cell lines.[@b12-ott-11-7603] Furthermore, our data revealed IκBα (nuclear factor of kappa light polypeptide gene enhancer in B-cells inhibitor, alpha) as a novel substrate of PTPL1.
Patients and methods
====================
Patients and samples
--------------------
Formalin-fixed, paraffin-embedded HGSOC tissues (n=97, the median patient age was 64.0 years) were collected from the Central Hospital of Wuhan (2009--2017). Patients' information including age, pathological grade, FIGO stage, and serum CA-125 levels at the time of diagnosis were retrieved. The median follow-up time for our cohort was 42 months, ranging 9--89 months. Another seven paired HGSOC tissues and adjacent nontumorous ovarian tissues were stored in −80°C immediately after surgical resection. None of the patients underwent preoperative chemotherapy or radiotherapy. After surgery, 37 (37/97, 38.1%) patients received only paclitaxel chemotherapy, 49 (49/97, 50.5%) patients were treated with paclitaxel and carboplatin, and the other 11 (11/97, 11.3%) patients were treated with platinum and cyclophosphamide. All the patients underwent R0 resection, and final diagnoses were based on histological and pathological examinations.[@b13-ott-11-7603] The accurate diagnosis of HGSOC was based on histological examination, p53 test, and WT1 (Wilms' tumor 1) test. Mutate p53 was used to distinguish HGSOC with LGSOC, while WT1 was used to distinguish HGSOC with endometrioid carcinoma.[@b2-ott-11-7603] Research use of tissue samples was approved by the ethical committee of the Central Hospital of Wuhan. Signed informed consents were obtained from all the cases enrolled in this study.
Quantitative real-time polymerase chain reaction
------------------------------------------------
Total RNA was extracted from fresh frozen tissue samples with TRIzol reagent (Thermo Fisher Scientific, Waltham, MA, USA) according to the manufacturer's instructions. The concentration and purity of isolated RNA were confirmed by a NanoDrop instrument (NanoDrop Technologies, Wilmington, DE, USA). cDNA was generated by reverse transcription from 1 µg RNA using a Superscript III kit (Thermo Fisher Scientific). qPCR analysis was then performed to evaluate the mRNA level of *PTPL1* in HGSOC and adjacent nontumorous tissues. The *PTPL1* primers were designated as 5′-GCGAAATGATCAGTTGCCAATAG-3′ and 5′-ACTTGGCACCCGTCTATTTACC-3′.[@b14-ott-11-7603] In addition, housekeeping gene *GAPDH* was used as internal control to normalize the variability in different groups (primers: 5′-GCCGCATCTTCTTTTGCGTCGC-3′ and 5′-TCCCGTTCTCAGCCTTGACGGT-3′).[@b15-ott-11-7603] Transcription levels were calculated using the 2^−ΔΔCt^ method.[@b16-ott-11-7603] All experiments were performed in triplicate for at least three times.
Western blot
------------
Immunoblotting assays were performed to evaluate the expression or phosphorylation levels of various proteins. Fresh-frozen tissues or harvested cells were homogenized in RIPA buffer to generate total cell lysates. Nucleus fraction was isolated as described by others.[@b17-ott-11-7603] Total protein concentration was measured using a BCA Protein Assay Kit (Pierce, Rockford, IL, USA). Briefly, 20 µg of total proteins was resolved on 10% SDS/PAGE gels, transferred onto polyvinylidene fluoride membranes (EMD Millipore, Billerica, MA), blocked with 5% nonfat milk, and probed with primary antibodies including PTPL1, IκBα, phospho-IκBα (Tyr42), NF-κB, caspase 3, caspase 9, and β-actin (Santa Cruz Biotechnology Inc., Dallas, TX, USA). Horseradish peroxidase-conjugated secondary antibodies were then incubated for 1 hour at room temperature followed by detection with enhanced chemiluminescence solution (Thermo Fisher Scientific).
Immunohistochemistry (IHC) and IHC evaluation
---------------------------------------------
Formalin-fixed, paraffin-embedded HGSOC tissues were cut into 4 µm sections, followed by de-paraffinized and re-hydrated. After antigen retrieval in a microwave for 10 minutes, sections were blocked with non-immunoreactivity goat serum and then incubated overnight with anti-PTPL1 (Abcam, Cat No ab198882, 1:100 dilution) or anti-phospho-IκBα-Y42 (Abcam, Cat No ab24783; Cambridge, MA, USA; 1:100 dilution) antibodies at 4°C. Negative controls were conducted by incubating with PBS instead of primary antibody. Sections were then incubated with the corresponding biotinylated secondary antibody at room temperature for 2 hours. Immunoreactivity was visualized with 3,3-diaminobenzidine (DAB) staining for 15 minutes. The slides were finally counterstained with 1% hematoxylin and evaluated by two independent pathologists. As described by others,[@b15-ott-11-7603] PTPL1 expressions were scored by determining the percentage and staining intensity of positive cells in three different visual fields at ×100 magnification. The percentage of positive tumor cells was scored as follows: 0 (0%--10%), 1 (11%--50%), 2 (51%--75%), and 3 (75%--100%).[@b18-ott-11-7603] The staining intensity was graded into 0 (negative), 1 (weakly positive), 2 (moderately positive), and 3 (strongly positive). The final IHC score of PTPL1 was weighted by multiplying the intensity and percentage scores (range 0--9).[@b19-ott-11-7603] High PTPL1 immunostaining was defined as IHC score ≥4, while \\<4 was defined as a low PTPL1 expression.
Cell culture and transfection
-----------------------------
The human high-grade serous ovarian carcinoma cell line OV-90 was obtained from the China Center for Type Culture Collection (CCTCC, Wuhan, Hubei, China). Primary ovarian cancer (POC) cells were established following the procedures described by others,[@b20-ott-11-7603] and human normal fallopian tube epithelium cells (FTEC) were purchased from Lifeline Cell Technology (Carlsbad, CA, USA) (Cat. No FC-0081). All cells were maintained in DMEM supplemented with 10% FBS and 1% penicillin (10,000 U/mL)/streptomycin (10 mg/mL) in a humidified atmosphere at 37°C with 5% CO~2~.
The coding regions of PTPL1 were cloned into a pCMV6 vector (pCMV6-PTPL1). After the confirmation by DNA-Sequencing, pCMV6-PTPL1 was transfected into OV-90 cells to generate PTPL1-overexpressing cells. Knockdown of PTPL1 was achieved using an siRNA with the following sequence: 5′-CAGAUCAGCUUUCCUGUAA-3′ (position 1,028--1,046). Both overexpression and siRNA-knockdown were performed with Lipofectamine 2000 reagent (Thermo Fisher Scientific) following the manufacturer's procedure. For each transfection assay, the plasmid construct vector and scrambled siRNA were used as negative control. The transfection efficiencies were tested by Western blot analyses.
MTT assay
---------
Transfected cells were seeded into 96-well plates (5.0×10^3^ cells/well) with a final volume of 150 µL/well. At designated time points (day 1, 2, 3, and 4), 20 µL MTT solution was added into each well. After another 4 hours incubation at 37°C, the culturing medium was discarded, and crystals were resolved by adding 150 µL of DMSO.[@b21-ott-11-7603] Cell viability was then assessed by measuring the absorbance at 490 nm wavelength with a 96-well plate reader. All experiments were performed for three times in triplicate.
Matrigel-transwell assay
------------------------
Transfected cells within the log phase were resuspended in FBS-free medium and seeded (8×10^4^ cells/well) into 24-well Transwell chambers (Corning Incorporated, Corning, NY, USA) pre-coated with Matrigel (B Biosciences, San Jose, CA, USA). Medium containing 20% FBS was added into the lower chamber as a chemoattractant. After keeping the culture at 37°C for 48 hours, the invaded cells adhesive to the lower membrane surface were fixed with 100% methanol, stained with 0.5% crystal violet, and counted under a light microscope to determine the average number of cells from five visual fields.[@b22-ott-11-7603] Assays were performed in triplicate for three times.
Statistics
----------
Statistical analysis was performed using the SPSS 18.0 software. Data were expressed as mean ± SD. Differences between the two subgroups were evaluated with two-sided chi-squared test. Overall survival time was defined as the period from the date of surgery to the date of death or last follow-up. Univariate analysis was performed using the Kaplan--Meier method and the log-rank test. Parameters with significant prognostic value in the univariate analysis were subjected to the multivariate Cox regression model to determine their independent role in clinical outcomes. Statistical differences between cellular treatment groups were evaluated by two-tailed Student's *t*-test compared with the control group. *P*\\<0.05 was considered statistically significant.
Results
=======
Patients' characteristics
-------------------------
A total number of 97 patients suffered from HGSOC were enrolled in this retrospective study. The median age at the time of diagnosis was 64.0 years. Most of the patients (85/97, 87.6%) were diagnosed with a higher level of serum CA-125 (\\>35 U/mL), only 12 patients within the normal range of CA-125 (0--35 U/mL). According to the pathological examination, 69 patients were classified as differential grade 3, and the other 28 patients suffered with grade 1--2. Consistent with previous studies, most of the HGSOC patients were with advanced FIGO stage, and only six patients (6/97, 6.2%) were with FIGO stage I or stage II. The median survival time was 42.0 months, and the 5-year overall survival was 32.7%. The detailed clinicopathologic characteristics are listed in [Table 1](#t1-ott-11-7603){ref-type="table"}.
PTPL1 shows lower expression in HGSOC and correlated with disease progression
-----------------------------------------------------------------------------
First, we compared the mRNA levels of *PTPL1* in seven paired HGSOC and adjacent non-tumorous tissues and found that *PTPL1* transcripts were significantly lower in HGSOC than that in adjacent tissues (*P*=0.042, [Figure 1A](#f1-ott-11-7603){ref-type="fig"}). The protein expression pattern of PTPL1 from fresh-frozen tissues was consistent with that of mRNA, showing a decreased level in tumor tissues ([Figure 1B](#f1-ott-11-7603){ref-type="fig"}). The results indicated that PTPL1 might play tumor suppressing roles in HGSOC, and we next expanded the case numbers by collecting paraffin-embedded HGSOC tissue samples from the Department of Pathology in our hospital. After excluding those lost to follow-up, the cohort finally contains 97 cases. Most of the adjacent normal ovarian tissues showed strong positive expression of PTPL1 ([Figure 1C](#f1-ott-11-7603){ref-type="fig"}) in the cytoplasm, while 36 patients (36/97, 37.1%) were identified as a PTPL1 low expression or negative expression in HGSOC tissues ([Figure 1D](#f1-ott-11-7603){ref-type="fig"}).
By quantifying the PTPL1 staining in HGSOC tissues, all the patients were divided into two groups: low PTPL1 expression group (n=36) and high PTPL1 expression group (n=61). The associations of PTPL1 expression with different clinicopathological parameters were assessed using the chi-squared test ([Table 1](#t1-ott-11-7603){ref-type="table"}). There was no significant difference in patients' age or pathological grade between these two groups (*P*=0.908 and *P*=0.519, respectively). However, PTPL1 level in tumor cells was significantly correlated with the clinical stage (*P*=0.006), on that the HGSOC tissues with advanced clinical stages (III--IV) showed lower PTPL1 expressions than those with early clinical stages (I--II). Interestingly, patients with higher CA-125 levels exhibited significantly higher PTPL1 (*P*=0.027) although the bias is non-negligible due to limited case numbers.
Decreased PTPL1 indicates poor prognosis of HGSOC patients
----------------------------------------------------------
Kaplan--Meier survival analyses were then performed to determine the clinical significance of variables ([Figure 2](#f2-ott-11-7603){ref-type="fig"}). As expected, the advanced FIGO stage was negatively correlated with the poor overall survival (*P*=0.004, [Table 2](#t2-ott-11-7603){ref-type="table"}). Interestingly, patients with low PTPL1 expression also showed a shorter mean overall survival time compared to those with higher PTPL1 level (48.3±4.1 vs 59.5±3.6 months, *P*=0.042). Therefore, lower PTPL1 was an unfavorable prognostic factor for the overall survival of HGSOC patients.
Cox proportional-hazard analysis was conducted to further evaluate the independent impact of prognostic factors ([Table 3](#t3-ott-11-7603){ref-type="table"}). Accordingly, advanced FIGO stages were statistically significant in predicting a poor clinical outcome (HR=2.380, 95% CI 1.253--4.522, *P*=0.008). Similarly, the PTPL1 was also found to be an independent prognostic bio-marker (HR=0.621, 95% CI 0.351--0.844, *P*=0.039).
PTPL1 inhibits proliferation and invasion of OV-90 cells
--------------------------------------------------------
To determine the underlying mechanisms of PTPL1 in suppressing tumor progression, we obtained the normal FTEC and the primary serous ovarian cancer (POC) cells. Western blotting results showed a comparable level of PTPL1 protein expression between POC cells and OV-90 ovarian cancer cell line, both significantly lower than that in FTEC cells ([Figure 3A](#f3-ott-11-7603){ref-type="fig"}). Therefore, we used the OV-90 cell line as the experimental model to explore the cellular effects of PTPL1 on HGSOC. The pCMV6-PTPL1 plasmids and PTPL1-siRNA were transfected into OV-90 cells, respectively. We then investigated the changes in cell proliferation and invasion capacities. MTT assay demonstrated that overexpressing PTPL1 significantly inhibited OV-90 cell growth, while siPTPL1 promoted cell proliferation ([Figure 3B](#f3-ott-11-7603){ref-type="fig"}). Similarly, there was a significant decrease in cell invasion in PTPL1-overexpressing cells, whereby the invasion was enhanced in PTPL1-silencing cells compared with the scramble group ([Figure 3C](#f3-ott-11-7603){ref-type="fig"}).
PTPL1 suppresses tumor progression by dephosphorylating IκBα
------------------------------------------------------------
Since PTPL1 is a phosphatase, we hypothesized that it may function through dephosphorylating downstream proteins. IκBα is an important cellular protein in modulating the functions of transcription factor NF-κB (nuclear factor kappa-light-chain-enhancer of activated B cells). In normal conditions, IκBα interacts with NF-κB and prevents its nucleus translocation.[@b23-ott-11-7603] Upon phosphorylation, IκBα is quickly degraded, the NF-κB is subsequently released and transports into the nucleus, inducing enhanced transcription.[@b24-ott-11-7603] Interestingly, we found that the phosphorylation of IκBα on its tyrosine 42 site (IκBα-pY42) was significantly increased in accordance to tumor stages and showed negative statistical correlation with PTPL1 expression level ([Figure 4A](#f4-ott-11-7603){ref-type="fig"}). Furthermore, in the cells transfected with PTPL1, the level of IκBα-pY42 was decreased. In contrast, upon silencing PTPL1 by siRNA, the phosphorylation of IκBα-Y42 was increased while the total IκBα was down-regulated ([Figure 4B](#f4-ott-11-7603){ref-type="fig"}). The reduced total IκBα protein can be explained by the fact that IκBα phosphorylation will induce its ubiquitination and proteasome degradation.[@b25-ott-11-7603] In addition, the nucleus level of NF-κB was negatively regulated by PTPL1, without significant NF-κB alteration in total lysates ([Figure 4B](#f4-ott-11-7603){ref-type="fig"}). Consistently, caspase protein cleavage was also enhanced by silencing PTPL1, indicating its role in suppressing tumor cell viability.
Because IκBα-pY42 was obviously dephosphorylated by PTPL1, we then aimed to confirm whether PTPL1 suppressed tumor progression through the IκBα signaling pathway. We used a specific IκBα inhibitor, Bay 11-7085, to inhibit its phosphorylation. MTT and Transwell assays indicated that the tumor-promoting effects of PTPL1-siRNA were significantly attenuated by IκBα phosphorylation inhibitor ([Figure 4C and D](#f4-ott-11-7603){ref-type="fig"}). In order to test the specific effects of Y42 site, we mutated the tyrosine into alanine (Y42A) and co-transfected IκBα-Y42A mutant with PTPL1-siRNA. Proliferation assay identified a comparable effect of Bay 11-7085 inhibitor with IκBα-Y42A overexpression ([Figure 4C](#f4-ott-11-7603){ref-type="fig"}). Similarly, the cell invasion process was restrained by overexpressing IκBα-Y42A ([Figure 4D](#f4-ott-11-7603){ref-type="fig"}). Taken together, we put forward the signaling axis of the PTPL1-IκBα-pY42-NF-κB pathway in HGSOC progression ([Figure 4E](#f4-ott-11-7603){ref-type="fig"}).
Discussion
==========
In the past decades, studies suggested that kinases and phosphatases are key players in regulating numerous cellular pathways. In this study, we focused on PTPL1, one of the non-receptor tyrosine phosphatases. Several groups have reported that abnormal expression of PTPL1 is involved in malignancies. However, it is still under debate whether PTPL1 is a tumor suppressor or a tumor promoter. Furthermore, PTPL1 showed tumor-suppressing functions in breast cancer and non-small-cell lung cancer.[@b26-ott-11-7603],[@b27-ott-11-7603] In contrast, PTPL1 can protect the pancreatic carcinoma cells from CD95-mediated apoptosis.[@b28-ott-11-7603] PTPL1 was also reported to induce chemoresistance of head and neck cancers.[@b29-ott-11-7603] To date, the roles of PTPL1 in the progression of ovarian cancer have not yet be fully elucidated.
Here, we found that PTPL1 showed distinct expression patterns in different high-grade serous ovarian cancer (HGSOC) patients. Clinical data suggested that a lower PTPL1 expression in HGSOC tissues was correlated with advanced tumor stage. We then identified PTPL1 as an unfavorable prognostic biomarker for overall survival of HGSOC patients by univariate and multivariate analyses. Interestingly, PTPL1 high expression was previously reported to induce Fas-resistance in ovarian cancer cell lines and maintain cell viability,[@b12-ott-11-7603] which is a little different with our findings. However, their results were mainly obtained from cells treated with anti-Fas antibody, an inducer of cell apoptosis. Actually, whether an enzyme acts as an oncogenic molecular or tumor suppressor depends on its cellular localization and substrate targets. In the current study, we identified IκBα as a novel substrate targeted by PTPL1. By inhibitor treatment and site-directed mutagenesis, we confirmed that IκBα phosphorylation on tyrosine 42 was a chief contributor to be recognized by PTPL1. Cellular results also demonstrated that dephosphorylation of IκBα-pY42 by PTPL1 can enhance the sequestering of NF-κB, thus reduce the transcription of oncogenic factors.
Conclusion
==========
Our results identified a prognostic role of PTPL1 in predicting the overall survival for surgical-treated HGSOC patients.
**Disclosure**
The authors report no conflicts of interest in this work.
{#f1-ott-11-7603}
{#f2-ott-11-7603}
{#f3-ott-11-7603}
######
Identification of IκBα-pY42 as a novel site recognized by PTPL1.
**Notes:** (**A**) Both PTPL1 and IκBα were predominantly localized in the cytoplasm. Importantly, IκBα-Y42 phosphorylation level was negatively correlated with the PTPL1 level. (**B**) In OV-90 cells transfected with PTPL1 plasmids, the phosphorylation on IκBα-Y42 was lower than that in control cells, which was consistent with the data from clinical samples. Subsequently, the phosphorylated IκBα protein underwent degradation, thereby released the NF-κB into the cell nucleus, as reflected by Western blot. By conducting the proliferation (**C**) and invasion (**D**) experiments, we found that the tumor-promoting effects of PTPL1-silencing were attenuated by IκBα inhibitor Bay 11-7085 or its tyrosine-alanine (Y42A) mutation. (**E**) The signaling axis of PTPL1-IκBα-pY42-NF-κB is shown in a schematic model. ^\\*^*p*\\<0.05.
**Abbreviation:** PTPL1, protein tyrosine phosphatase L1.


######
Clinical characteristics of HGSOC patients
Variable Cases PTPL1 protein level *P*-value
------------------------ ------- --------------------- ----------- ---------------------------------------------------
**Age (years**) 0.908
≤60.0 37 14 23
\\>60.0 60 22 38
**Pathological grade** 0.519
Grade 1--2 28 9 19
Grade 3 69 27 42
**FIGO stage** 0.006[\\*](#tfn1-ott-11-7603){ref-type="table-fn"}
Stage I--II 6 1 5
Stage III 72 22 50
Stage IV 19 13 6
**CA-125 (U/mL)** 0.027[\\*](#tfn1-ott-11-7603){ref-type="table-fn"}
≤35 12 1 11
\\>35 85 35 50
**Note:**
*p*\\<0.05.
**Abbreviations:** CA-125, cancer antigen 125; HGSOC, high-grade serous ovarian cancer; PTPL1, protein tyrosine phosphatase L1.
######
Kaplan--Meier estimated overall survival of HGSOC patients
Variable Cases Overall survival (months) 5-year overall survival *P*-value
------------------------ ------- --------------------------- ------------------------- ---------------------------------------------------
**Age (years)** 0.616
≤60.0 37 56.9±4.4 29.5%
\\>60.0 60 54.4±3.5 34.8%
**Pathological grade** 0.251
Grade 1--2 28 59.4±5.0 45.8%
Grade 3 69 51.5±2.7 24.7%
**FIGO stage** 0.004[\\*](#tfn3-ott-11-7603){ref-type="table-fn"}
Stage I--II 6 71.2±11.9 60.0%
Stage III 72 55.6±2.9 32.5%
Stage IV 19 37.3±4.7 11.8%
**CA-125 (U/mL)** 0.114
≤35 12 66.0±6.1 47.6%
\\>35 85 51.7±2.6 29.8%
**PTPL1 expression** 0.042[\\*](#tfn3-ott-11-7603){ref-type="table-fn"}
Low 36 48.3±4.1 25.8%
High 61 59.5±3.6 40.7%
**Note:**
*p*\\<0.05.
**Abbreviations:** CA-125, cancer antigen 125; HGSOC, high-grade serous ovarian cancer; PTPL1, protein tyrosine phosphatase L1.
######
Cox regression analysis for independent prognostic factors of HGSOC patients
Variable *P*-value HR 95% CI
------------------ --------------------------------------------------- ------- -------- -------
FIGO stage 0.008[\\*](#tfn5-ott-11-7603){ref-type="table-fn"} 2.380 1.253 4.522
PTPL1 expression 0.039[\\*](#tfn5-ott-11-7603){ref-type="table-fn"} 0.621 0.351 0.844
**Note:**
*p*\\<0.05.
**Abbreviations:** HGSOC, high-grade serous ovarian cancer; PTPL1, protein tyrosine phosphatase L1.
|
If That's What It Takes (album)
If That's What It Takes is the debut studio album by American singer-songwriter Michael McDonald. The album was released in August 1982.
Track listing
Personnel
Michael McDonald – lead vocals, backing vocals (1, 3, 4, 6, 7, 8, 10), Fender Rhodes (1, 2, 3, 7, 9, 10), synthesizer (1-4, 6-8), acoustic piano (4, 5, 6, 8)
Greg Phillinganes – acoustic piano (1, 3, 7, 10), clavinet (2), Fender Rhodes (4), Hammond organ (9)
Michael Boddicker – additional synthesizer (4)
Michael Omartian – Fender Rhodes (6, 8)
Dean Parks – guitar (1, 3, 7, 9), guitar overdubs (8)
Steve Lukather – guitar (2, 4, 6, 8, 10)
Robben Ford – guitar solo (6, 7)
Willie Weeks – bass guitar (1, 3, 4, 7, 9, 10)
Louis Johnson – bass guitar (2)
Mike Porcaro – bass guitar (6, 8)
Steve Gadd – drums (1, 3, 4, 7, 9, 10)
Jeff Porcaro – drums (2, 6, 8)
Lenny Castro – percussion (1, 6, 7, 8, 10)
Bobby LaKind – percussion (1)
Paulinho Da Costa – percussion (3, 4)
Ted Templeman – percussion (4)
Edgar Winter – saxophone solo (1, 10)
Tom Scott – saxophone solo (6), Lyricon solo (9)
Ed Sanford – backing vocals (1)
Maureen McDonald – backing vocals (2, 6)
Kenny Loggins – backing vocals (4)
Christopher Cross – backing vocals (6)
Brenda Russell – backing vocals (6)
Kathy Walker – backing vocals (6)
Amy Holland – backing vocals (6)
Production
Produced by Lenny Waronker and Ted Templeman
Engineers – Ken Deane, Bobby Hata, Lee Herschberg, James Isaacson, Donn Landee, Mark Linett and Steve McManus.
Overdub Engineers – Lee Herschberg, James Isaacson, Donn Landee and Mark Linett.
Mixing – Lee Herschberg
Mastered by Bobby Hata at Warner Bros. Recording Studio.
Horn arrangements – Jerry Hey
String arrangements – Marty Paich
Keyboard Technician – Paul Mederios
Production Coordinators – Joan Parker, Kathy Walker and Vicki Fortson.
Art Direction and Design – Jeff Adamoff
Photography – Jim Shea
Direction – Irving Azoff
Charts
References
Category:1982 debut albums
Category:Albums arranged by Marty Paich
Category:Albums produced by Lenny Waronker
Category:Albums produced by Ted Templeman
Category:Michael McDonald (musician) albums
Category:Warner Records albums
|
The 5 Dumbest Things on Wall Street Midyear Quiz
What? Is the year already half over? Maybe we missed it because we were too mesmerized watching the BP (BP) oil spill live feed.
Anyway, now that we are six months into what has been a supremely Dumb year, we thought it would be worthwhile to offer The Five Dumbest Things Mid-Year Exam just to make sure everybody has been paying attention. Answering correctly could win you an autographed copy of Jim Cramer's Jim Cramer's Getting Back To Even.
(BP) Enter by midnight Tuesday, June 29, by emailing your answers here with the words "Contest Entry" in the subject line. We'll rerun the column Friday, July 2, with the answers and the name of the winner. If there is more than one correct entry, of course, we'll have a drawing.
Good Luck!
(BP) 1. An outraged band of students from which University in April protested the selection of JPMorgan Chase (JPM) CEO Jamie Dimon as commencement speaker:
(BP) (JPM) (GS) (CAL) (LCC) (UAUA) 4. When asked in May by Sen. Jim Bunning (R., Ky.) how much U.S. taxpayers will ultimately have to shell out to keep Fannie Mae (FNM) and Freddie Mac (FRE) afloat, what was the reply of Federal Housing Finance Agency Acting Director Edward DeMarco?
|
Transforming Government Offers Insight for Evaluating, Strategizing and Implementing a Plan to Maximize Process Efficiency and the Value of Government IT
DALLAS, TX – July 7, 2015 – Sciens Consulting, LLP, management and technology strategists for organizational performance, today announced it has published a new book, Transforming Government, to assist senior management in city and county government improve the performance of processes and information technology (IT) in their organizations. This practical guide outlines a model for optimal efficiency by aligning IT with local government’s strategic vision, identifying opportunities to leverage technology, and initiating organizational change.
Authored by Sciens founders, Ernest Pages and Stephen Gousie, Transforming Government offers a candid look at the issues facing local government and outlines specific steps to maximize the value of IT.
The book provides insights into why organizations are facing challenges, the steps that can be taken to improve performance, and the skills required to manage organizational transformation. Among the topics included are assessing the IT function and defining the problem; developing and implementing a strategy; collaboration among departments; pros and cons of cloud computing; and the evolution of social media, smartphones and mobile devices.
“We are helping government agencies transform their organizations from a collection of isolated departments with separate functions and deliverables, to a unified business model that shares information through linked and fluid processes,” said Stephen Gousie, Sciens consultant and co-author. “The book provides a guide for managers to help them evaluate and create a plan to maximize the value of their IT function. Ultimately, an improved and more efficient IT system will better serve a community by reducing costs and expanding services.”
Transforming Government is available in both print and Kindle versions through Amazon. More information can be found at www.sciens.com/transform.
Dovetailing with the publication of the book, Sciens also will host a webinar on September 30, 2015 about how to improve the performance and efficiency of IT in government organizations. Topics will include how to assess the IT function, and strategize and implement an improvement plan.
“Sciens consultants have a long history in working closely with local governments to improve their bottom-line results,” said Ernest Pages, Sciens consultant and co-author. “With governments facing growing demands to boost value and responsiveness, we felt now was the right time to write a book that cuts through the jargon and clearly outlines the steps for transforming government. We hope to inspire managers to evaluate their organizations and look for opportunities to deliver the best possible service to their communities.”
About Sciens ConsultingSciens Consulting, LLP provides management and technology consulting services that help its city and county government and enterprise clients assess and align their organizations, processes and technologies to boost organizational effectiveness and bottom-line results. Sciens consultants work closely with clients to improve the performance and maximize the value of technology with practical solutions that benefit communities. More information can be found at www.sciens.com.
Share this entry
https://sciens.com/wp-content/uploads/2017/06/transforming-gov4-with-book-white-1.jpg13883404launchsnaphttps://sciens.com/wp-content/uploads/2017/06/sciens-logo-consulting-BLACK-sml.pnglaunchsnap2015-07-07 15:05:242017-07-05 15:08:24Sciens Publishes Book to Help Local Government Managers Improve Organizational and IT Performance
|
Q:
Why does apache log requests to GET http://www.google.com with code 200?
I was recently asked 'What causes a line like this in our access.log?'
59.56.109.181 - - [22/Feb/2010:16:03:35 -0800] "GET http://www.google.com/ HTTP/1.1" 200 295 "-" "Mozilla/5.0 (compatible; MSIE 5.01; Win2000)"
My immediate answer is that's someone exploring something a little devious.
But:
how? Speculation... a short perl or python script could easily connect and ask for a URL with an invalid host. but don't post one. If you know a good one liner, I'd be curious. Consider this golf for today :)
Vulnerabilities? What is someone looking for when they do this, what have they learned, and should we patch it?
Do I need a tin-foil hat to keep them from reading my mind?
And for me the real question: Shouldn't that be a 404 response, not a 200!?
This is on a standard LAMP server (Ubuntu).
A:
Maybe you want to read http://wiki.apache.org/httpd/ProxyAbuse
specially this point: "My server is properly configured not to proxy, so why is Apache returning a 200 (Success) status code?", it asks your question "Shouldn't that be a 404 response, not a 200!?"
If apache conf is ok, its just sending root page. It's the reason because you get a status code is 200.
A:
I think this would happen if someone tried to use the server as a proxy. That would make the http://... URL "normal" (as opposed to just the path portion that you would expect from a regular server request.)
As for the 200 status code, that... err.. well, my server does that too. It seems to ignore the http://hostname portion and returns the result from the local server using the remaining path. You'll probably have to dig through the RFCs to figure out why that makes sense; I don't know the answer offhand.
|
Register Now
In order to be able to post messages on the Hot Rod Forum : Hotrodders Bulletin Board forums, you must first register.
Please enter your desired user name (usually not your first and last name), your email address and other required details in the form below.
User Name:
Password
Please enter a password for your user account. Note that passwords are case-sensitive.
Password:
Confirm Password:
Email Address
Please enter a valid email address for yourself.
Email Address:
Insurance
Please select your insurance company (Optional)
Log-in
User Name
Remember Me?
Password
Human Verification
In order to verify that you are a human and not a spam bot, please enter the answer into the following box below based on the instructions contained in the graphic.
Additional Options
Miscellaneous Options
Automatically parse links in text
Automatically embed media (requires automatic parsing of links in text to be on).
Automatically retrieve titles from external links
Topic Review (Newest First)
05-09-2013 05:29 PM
LATECH
Quote:
Originally Posted by vinniekq2
a couple eagle eyes there. good observations
Thank you Vinnie.
One thing for the OP... the borg warner device is the ignition module.The pickup coil is the piece that has the green and white (yellowed with age) wires on it that hook to the end on the right. I mention this because the 2 wires are supposed to be in a connector so they dont get plugged in wrong. Looks like the white wire is on the correct terminal, but If they get plugged in backwards, the car wont run. Just an FYI
05-09-2013 05:04 PM
vinniekq2
a couple eagle eyes there. good observations
05-09-2013 04:39 PM
LATECH
In picture #1 I see the center connector is not sticking down through the distributor cap as it should, causing an issue captured in picture 5....Massive carbon tracking and shorting across the rotor.
Replace the rotor with a new one and take the coil out of the cap, get the center conductor issue corrected, be sure the carbon button goes back in FIRST, then the insulator, then some dielectric grease then the coil. Be sure to use the little grounding fork on the coil frame unless it has the wire with the eyelet for the coil. I would also replace the cap in the process as well.
05-09-2013 04:34 PM
Too Many Projects
The center pin in the cap doesn't look right. It appears to be recessed in the cap. It should protrude out of the cap about 3/16ths to ride on the spring of the rotor. If the spark has to jump that gap, it will affect the timing and strength of the spark at the plugs. If the cam is stock in that engine, about 4-8 degrees advanced is all they required '74 to run smoooth.
Maybe it's just an illusion from the angle of the pic, but check that. I see the pickup coil has already been replaced with a Borg Warner. That should be good.
05-09-2013 07:31 AM
Chad1965
Some recent pics
distrubutor cap and rotor before cleaning off contacts, Holly 750 carb, a look under the valve covers and such.
So the engine runs now, but it still needs a lot of work to get it cleaned up and tuned. That will come later the rest of the car needs alot of attention first.
I'll create a album for the car soon if anyone wants to check it out.
05-07-2013 09:20 PM
vinniekq2
re post #19,,,
05-07-2013 09:11 PM
Chad1965
Quote:
Originally Posted by vinniekq2
post a new picture,lets see your workmanship?
workmanship of what? putting a fuel filter, fuel lines and new carb on the engine? im sorry I dont follow you...
05-07-2013 09:06 PM
vinniekq2
post a new picture,lets see your workmanship?
05-07-2013 09:02 PM
Chad1965
Quote:
Originally Posted by firstgenbird
IDK about the 74, but these old Pontiacs had nylon teeth molded over the steel on the crankshaft timing gear. The teeth would strip off or jump a tooth. Often it would happen when you try to start the engine. It would be a good idea to check that your camshaft timing is correct.
It's premature to worry what's wrong with the engine when it has such old wiring, distributor cap, dirty (and wrong) carb and so forth. Restore these to good condition first.
Okay thanks I'll check out that gear.
Ya everything else is good as I have said in previous posts.
05-07-2013 04:05 PM
firstgenbird
IDK about the 74, but these old Pontiacs had nylon teeth molded over the steel on the crankshaft timing gear. The teeth would strip off or jump a tooth. Often it would happen when you try to start the engine. It would be a good idea to check that your camshaft timing is correct.
It's premature to worry what's wrong with the engine when it has such old wiring, distributor cap, dirty (and wrong) carb and so forth. Restore these to good condition first.
05-07-2013 12:37 PM
WDCreech
Quote:
Originally Posted by Chad1965
No, I had the timing light on it, its 15 - 30 before 0. I wonder if someone before me did a timing chain and set it one notch off? I had the valve covers off, spun the engine over slowly and the #1 exhaust valve opens and closes a fair amount before the #1 piston reaches TDC.
15-30 before 0 would be advanced. That is about where it should be. To check the valve timing specks, you'll need a degree wheel, a piston stop, and a dial indicator.
Bill
05-07-2013 07:28 AM
vinniekq2
let us know if it runs well
05-07-2013 07:14 AM
Chad1965
Quote:
Originally Posted by vinniekq2
as already mentioned,check for spark,check for fuel,check compression.
make sure the fuel is good quality.
clean up everything so you can work on the car.check all the top screws on the carb(for now)
When this is all done let us know what happened
Ya thats all been done, new spark plugs, fuel hose and filter, distrubutor all cleaned, spark wires all good, and I got a good holly carb on it now, I'll be takeing some new pics in a day or so.
05-07-2013 07:06 AM
vinniekq2
as already mentioned,check for spark,check for fuel,check compression.
make sure the fuel is good quality.
clean up everything so you can work on the car.check all the top screws on the carb(for now)
When this is all done let us know what happened
05-07-2013 06:55 AM
Chad1965
Quote:
Originally Posted by spinn
You mean advanced 15-30 to run right?
Do not get on it , until it is tuned. With the carb at a manufacturer suggested baseline get the timing set first.
No, I had the timing light on it, its 15 - 30 before 0. I wonder if someone before me did a timing chain and set it one notch off? I had the valve covers off, spun the engine over slowly and the #1 exhaust valve opens and closes a fair amount before the #1 piston reaches TDC.
This thread has more than 15 replies.
Click here to review the whole thread.
|
Session 1: For students wishing to be creative and gain an understanding of a variety of multimedia and techniques. From clay to painting, collage and more, students are immersed in the art making process and encouraged to be active participants in the selection of class projects. This open ended course could be taken as an ongoing continuation of multimedia exploration or as in introduction to other focused studies such as drawing or pottery. Supplies provided and included in the tuition. Enroll in Session 2 by 2-19-18 and receive a 10% discount off Session 2 tuition.
Alyssa Lombardi
Biography:
Alyssa holds a BA in 2 Dimensional Studies with a Minor Degree in Arts Management from Bowling Green State University. She is currently working towards her Master?s in Arts Administration at the University of Akron where she is a Media Manager/Graduate Assistant in that program. Alyssa is a freelance artist primarily working with oil, encaustic and watercolor. She has exhibited in Ohio and has sold her work internationally. The past 3 summer breaks, she worked at Advanced Employment Connection in Canton, Ohio helping children with disabilities train for job opportunities. She has a passion for mural art from her past experiences, and plans to continue this excitement in the Cleveland area.
|
Q:
tinymce 3.x advlink plugin - set links to open in new window/tab by default
Using the advlink plugin, the default value for "target" is "_self" (i.e. links open in same window/tab). How can I make it so that links open in a new window/tab by default?
A:
We need to make the following changes in the file advlink.js located in [yourTinymcePluginsDirectory]/advlink/js/advlink.js.
Locate the following part:
function getTargetListHTML(elm_id, target_form_element) {
var targets = tinyMCEPopup.getParam('theme_advanced_link_targets', '').split(';');
var html = '';
html += '<select id="' + elm_id + '" name="' + elm_id + '" onchange="this.form.' + target_form_element + '.value=';
html += 'this.options[this.selectedIndex].value;">';
html += '<option value="_self">' + tinyMCEPopup.getLang('advlink_dlg.target_same') + '</option>';
html += '<option value="_blank">' + tinyMCEPopup.getLang('advlink_dlg.target_blank') + ' (_blank)</option>';
html += '<option value="_parent">' + tinyMCEPopup.getLang('advlink_dlg.target_parent') + ' (_parent)</option>';
html += '<option value="_top">' + tinyMCEPopup.getLang('advlink_dlg.target_top') + ' (_top)</option>';
We need to change the order of the options. So just put the "_blank" option on top:
html += '<option value="_blank">' + tinyMCEPopup.getLang('advlink_dlg.target_blank') + ' (_blank)</option>';
html += '<option value="_self">' + tinyMCEPopup.getLang('advlink_dlg.target_same') + '</option>';
html += '<option value="_parent">' + tinyMCEPopup.getLang('advlink_dlg.target_parent') + ' (_parent)</option>';
html += '<option value="_top">' + tinyMCEPopup.getLang('advlink_dlg.target_top') + ' (_top)</option>';
And voila, that was it. Was it? No!
Although this will indeed work, if we try changing the target of a link back to _self, although the HTML will indeed be updated correctly, the dropdown will falsely show the _blank option as selected. This happens because when selecting the _self option the target Tinymce attribute is not updated to _self but rather to "" - so an empty string. Therefore, when selecting _self the script will try to look for an attribute named "", will of course find none, therefore it will select the first option by default. While this works when the first option is _self, it will not work when _self is not the first option.
To solve this problem, we need to tell the script that when the target Tinymce attribute is set to an empty string, it should look for the attribute named _self instead. That way it will be able to locate it even if it's not the first option.
To achieve this we also need to make one more change to the script's behavior. Locate the following line:
selectByValue(formObj, 'targetlist', inst.dom.getAttrib(elm, 'target'), true);
And replace it with:
var target_value = inst.dom.getAttrib(elm, 'target');
if (inst.dom.getAttrib(elm, 'target') == ""){
target_value = "_self";
}//end if
selectByValue(formObj, 'targetlist', target_value, true);
And now everything should work perfectly, with _blank being the default target option.
|
{
"id": 11,
"method": "contacts.move",
"params": {
"contactID": 100,
"sourceFolderID": 1,
"targetFolderID": 10
}
}
|
Q:
Not received email using dialog "Save your Copy" in "In Person" signing
Not received email that was typed in textbox "Email Address" using dialog "Save your Copy" in "In Person" signing.
While signing the envelope in In-Person mode there is an window (popup) to send a copy of the document in an email. We have entered the email (many times and different email services) but no email received. Checked settings in the DocuSign portal account but not able to find any setting for this. Please let us know how to enable the save a copy email in DocuSign.
We using DocuSign SOAP API under C#.
For InPererson Recipient we add :
new Recipient
{
Email = "email of host recipient",
UserName = "name of host recipient",
SignerName = "name of current recipient",
ID = "id current recipient",
Type = RecipientTypeCode.InPersonSigner,
RoutingOrder = 2,
RequireIDLookup = false,
CaptiveInfo =
new RecipientCaptiveInfo {ClientUserId = "special id of current recipient"}
};
And we open docusign token url (RequestRecipientToken method) in new browser window without iframe we open it in IE 8-11 and Google Chrome
What we have to specify in addition to this , when creating and sending envelope or in account preferences of main account in docusign.com?
A:
First, keep in mind that the email you're describing will only be sent upon Completion of the Envelope -- so if there are other recipients after the In-Person signer in the routing order for the Envelope, the In-Person signer wouldn't receive the email until all recipients have completed their required actions and the Envelope is complete.
Second, you might want to verify (in Preferences >> Features within the DocuSign web console) that these two settings are set as shown here:
These settings control whether or not emails are sent to "embedded/captive" recipients. Even though you're using "In-Person" signing -- it sounds like you're launching the host's signing session using "Embedded Signing" (i.e., RequestRecipientToken), so these settings might be affecting whether or not the email actually gets sent to the signer.
|
Pop Goes Democracy
Bono and his iconic sunglasses
When culture and politics come together, you can hear the sizzle. In his recent e-op/ed for the New York Times, Bono described the harmony he’s hearing in Africa coming from two, traditionally distinct sections of the pro-democracy choir: business and civil society. He states that “[t]he reason is that both these groups — the private sector and civil society — see poor governance as the biggest obstacle they face. So they are working together on redefining the rules of the African game.”
What are these new rules? “[D]emanding accountability and transparency, rewarding measurable results, reinforcing the rule of law, but never imagining for a second that it’s a substitute for trade, investment or self-determination.” Importantly, all of the above are defined, demanded, and enforced by Africans themselves, not international aid givers.
Youssou N'Dour, son of a griot, business man, civil society booster
Being who he is, Bono writes about the catalytic role that cultural luminaries play in making this happen. Senegal’s famed singer, songwriter, and now political entrepreneur, Youssou N’Dour is featured front and center. Says Bono:
“Now this might be what you expect me to say, but I’m telling you, it was a musician in Senegal who best exemplified the new rules. Youssou N’Dour — maybe the greatest singer on earth — owns a newspaper and is in the middle of a complicated deal to buy a TV station. You sense his strategy and his steel. He is creating the soundtrack for change, and he knows just how to use his voice. (I tried to imagine what it would be like if I owned The New York Times as well as, say, NBC. Someday, someday…)”
Yesterday’s Le Pop, one of Dakar’s several daily newspapers, featured a piece on N’Dour’s work with a well-known local imam to educate Senegalese about the importance of maintaining their 2002 constitution, treating it as a bedrock document rather than one than can be transformed at a sitting president’s will. Grassroots constitutionalism, using the catalyzing power of music and religion.
Senegal's next generation of voters and leaders.
Although not created by a musician or artist, the Ibrahim Prize has a similar aim to increase respect for constitutional democracy but in a very practical, top-down way. Mo Ibrahim, a businessman who founded Celtel International, a mobile communications company in Africa, has created an endowment for African leaders who serve their people well and then leave office when they are supposed to; in this way, these sub-Saharan presidents avoid what he calls “third-termitis,” when, looking at a bleak future, they trample democratic governance by becoming presidents for life. The Ibrahim Prize consists of $5 million over 10 years and $200,000 annually for life thereafter. The first two prize winners are Joaquim Chissano and Festus Mogae, and the Ibrahim Foundation’s Honorary Laureate is Nelson Mandela.
N.B. This in from my most loyal reader and uber-researcher, Bill Riley: today’s Guardian ran an article on Youssou N’Dour’s “launch[ing] a political platform” last week when he formed a “public information” partnership with opposition politician Mansour Sy Djamil: “People do not know the constitution well enough. They need to understand that power has its limits. There should be no tinkering with the fundamental law of the land,” he told journalists gathered at his Thiossane nightclub in Dakar.
|
1. Technical Field
The present disclosure relates to electrosurgical apparatuses, systems and methods. More particularly, the present disclosure is directed to electrosurgical systems configured to monitor contact quality of return electrode pads to the patient during electrosurgical procedures.
2. Background of Related Art
Energy-based tissue treatment is well known in the art. Various types of energy (e.g., electrical, ultrasonic, microwave, cryogenic, heat, laser, etc.) are applied to tissue to achieve a desired result. Electrosurgery involves application of high radio frequency electrical current to a surgical site to cut, ablate, coagulate or seal tissue. In monopolar electrosurgery, the active electrode is typically part of the surgical instrument held by the surgeon and applied to the tissue to be treated. A patient return electrode is placed remotely from the active electrode to carry the current back to the generator and safely disperse current applied by the active electrode.
The return electrodes usually have a large patient contact surface area to minimize heating at that site. Heating is caused by high current densities which directly depend on the surface area. A larger surface contact area results in lower localized heat intensity. Return electrodes are typically sized based on assumptions of the maximum current utilized during a particular surgical procedure and the duty cycle (i.e., the percentage of time the generator is on).
The first types of return electrodes were in the form of large metal plates covered with conductive jelly. Later, adhesive electrodes were developed with a single metal foil covered with conductive jelly or conductive adhesive. However, one problem with these adhesive electrodes was that if a portion peeled from the patient, the contact area of the electrode with the patient decreased, thereby increasing the current density at the adhered portion and, in turn, increasing the heating at the tissue. This risked burning the patient in the area under the adhered portion of the return electrode if the tissue was heated beyond the point where circulation of blood could cool the skin.
To address this problem various return electrodes and hardware circuits, generically called Return Electrode Contact Quality Monitors (RECQMs), were developed. Such systems relied on measuring impedance at the return electrode to calculate a variety of tissue and/or electrode properties. These systems detected peeling by identifying changes in amplitude of the impedance of the return electrodes.
|
1. Technical Field
The disclosed embodiments relate to ESD protection circuits.
2. Background Information
An electrostatic discharge (ESD) protection circuit commonly referred to as an active RC triggered clamp can be used to protect functional circuitry from damaging high voltages caused by electrostatic discharge events. If a voltage between two terminals of an integrated circuit increases at an adequate rate due to an ESD event, then an RC circuit triggers and turns on a large N-channel field effect transistor (sometimes referred to as a “bigFET”). The bigFET shunts an ESD current between the two terminals and clamps the voltage across the terminals to a voltage that is safe for the functional circuitry. Although multiple such active RC triggered clamp circuits can be stacked, such active RC triggered clamps are generally used in applications where the supply voltage is relatively low (for example, three volts). If such stacked active RC triggered clamps were to be used in an application having a higher supply voltage of twenty volts for example, then the bigFETs would likely have to be made to be undesirably large because bigFETs in active RC triggered clamps operate in the normal conductive mode.
If an active circuit that operates from a relatively high operating supply voltage is to be protected from ESD events, then a silicon controlled rectifier (SCR) circuit could be used as is known in the art. Unfortunately, SCR ESD protection circuits when activated have holding voltages that can be lower than the relatively high operating supply voltage. This is undesirable. If during normal circuit operation a large voltage transient (that is not due to an ESD event) were to appear across the supply voltage terminals of a circuit protected by an SCR ESD protection circuit, then the SCR ESD protection circuit might engage and pull the supply voltage below the operating voltage of the active circuit. Some means must therefore generally be provided to prevent such large voltage transients from being imposed across the supply voltage terminals. Having to provide this extra circuitry is undesirable.
FIG. 1 (Prior Art) is a circuit diagram of a conventional ESD protection circuit 1 used to protect functional circuitry that operates from the relatively large operating supply voltages described above. ESD clamp circuit 1 is sometimes referred to as a “gate grounded NMOS” (GGMOS or GGNMOS) protection circuit because the gate of each of the N-channel field effect transistors 2-4 is coupled to the source of the transistor. FIG. 2 is a simplified cross-sectional diagram of the circuit of FIG. 1. Under an ESD event, the three transistors 2-4 conduct in the snap-back or parasitic bipolar mode such that an ESD current is conducted from the VCC supply voltage terminal 5, through transistor 2, through transistor 3, though transistor 4, and to ground terminal 6.
FIG. 3 (Prior Art) is a cross-sectional diagram of one of the stages of the GGMOS protection circuit of FIG. 3. Under a high voltage condition, the electric field across the reverse-biased drain 7 to body 8 depletion region increases to the point that an avalanche breakdown mechanism generates change charge carriers. These carriers result in a current flow that flows into the base of a parasitic bipolar NPN transistor 9. The N-type collector of parasitic transistor 9 is the N+ type drain 7. The N-type emitter of parasitic transistor 9 is the N+ type source 10. The P-type base is the P-type material of the body 8 of the N-channel field effect transistor. Parasitic transistor 9 is depicted with the bipolar transistor symbol in FIG. 3. The base current turns on the bipolar transistor, which in turn causes a large collector current to flow across the drain-to-body junction. This current serves to contribute to the necessary base current to sustain forward biasing of the base-to-emitter junction of the parasitic transistor. Accordingly, whereas a higher drain-to-source voltage (called the trigger voltage) is required to initiate bipolar transistor conduction, once initiated the bipolar transistor conduction is sustained unless the drain-to-source voltage drops below a lower voltage (called the holding voltage). This characteristic of transistor turn on and conduction is commonly referred to as “snap-back”.
Stacking three such GGMOS circuits such as in the circuit of FIG. 1 multiplies each of trigger voltage and the holding voltage by the number of circuits stacked. The circuit of FIG. 1 therefore has a trigger voltage that is three times the trigger voltage of the single stage circuit of FIG. 3. The circuit of FIG. 1 therefore has a holding voltage that is three times the holding voltage of the single stage circuit of FIG. 3. Unfortunately, the multiplied trigger voltage of the stacked circuit of FIG. 1 may be so high that damage may occur to the functional circuitry to be protected before the ESD protection circuit of FIG. 1 triggers and performs its current shunting function.
FIG. 4 (Prior Art) is a diagram of an ESD protection circuit that has a lower trigger voltage. The ESD protection circuit is sometimes referred to as a gate-driven NMOS (GDNMOS) circuit or a gate-coupled NMOS (GCNMOS) circuit. A resistor 11 is disposed between the gate 12 and the source 13 as illustrated in FIG. 4. The structure has a capacitance 14, such as the inherent drain-to-gate overlap capacitance of the transistor. During an ESD event, a rapid rise in the voltage on drain 24 is coupled to gate 12 by the capacitance 14, and current flow across resistor 11 causes a gate-to-source voltage. This gate-to-source voltage induces a channel to form under the gate 12 and allows an amount of surface current 15 to flow from drain 24. Current 15 serves to reduce the trigger voltage of the circuit. For additional information on this effect, see: 1) “Design Methodology and Optimization of Gate-Driven NMOS ESD Protection Circuits In Submicron CMOS Processes”, IEEE Transactions on Electron Devices, vol. 45, no. 12, pages 2448-2456 (December 1998) by Julian Zhiliang Chen et al.; and 2) U.S. Pat. No. 5,982,217; 3) U.S. Pat. No. 5,838,146; and 4) U.S. Pat. No. 5,631,793. Where larger holding and trigger voltages are required than are provided by a single stage, the circuit of FIG. 4 can be stacked. FIG. 5 (Prior Art) illustrates a conventional stacked GCMOS ESD protection circuit having three stages 16-18.
|
[Anatomic breast implants in aesthetic and reconstructive surgery: report of 135 cases].
The aim of this work is to precise the indications to respect and the pitfalls to avoid in prosthesis setting using anatomical cohesive silicone gel implants.135 patients that undergone a reconstructive or cosmetic prosthesis setting were reviewed. Patients satisfaction has been assessed basing on the breast shape, consistency and symmetry. Complications (both usual and specific) were assessed and analysed. The results for mammary reconstruction after expansion or autologous flap and for cosmetic submuscular breast augmentation were good. Complications were unusual as far as the appropriate surgical procedure had been performed rigorously. These implants are an interesting alternative solution to round shape prosthesis in reconstruction indication. In breast augmentation border line indications, a beautiful result may be expected using these implants.
|
Palestine under Hasmonean Rule
The marriage of politics and religion contributed to both the expansion and destruction of the Hasmoneans.
In 142 B.C.E.
the Great Assembly in Jerusalem named Simeon, the last surviving Maccabee brother, to the posts of high priest, commander and leader and deemed these posts hereditary. When Simeon was assassinated in 134 B.C.E. his son, John Hyrcanus, assumed leadership, establishing the Hasmonean dynasty. The Hasmonean era continued until the invasion of Rome in 63 B.C.E. The following article describes Palestine under Hasmonean rule. It is reprinted with permission fromJerusalem: Portrait of the City in the Second Temple Period (Jewish Publication Society).
Hasmonean Expansion
With the establishment of Hasmonean rule (transformed in 104-103 B.C.E. into a kingdom), Jerusalem entered a new stage of history as the capital of an independent state. While the city had already enjoyed this status for some four hundred years during the First Temple period (c. 1000-586 B.C.E.), it had been reduced to a modest temple-city for the first four hundred years of the Second Temple era (c. 540-140 B.C.E.), serving as the capital of a small and relatively isolated district.
All this changed, however, under the Hasmoneans; as Jerusalem assumed its role as the center of a sizable state, the city's dimensions and fortunes were affected as well. Replacing the district of Yehud in the Persian and Hellenistic eras, the Hasmonean realm expanded greatly, encompassing an area roughly the size of David's and Solomon's kingdoms' and becoming a significant regional power by the beginning of the first century B.C.E. Jerusalem under the Hasmoneans grew fivefold, from a relatively small area in the City of David with some five thousand inhabitants to a population of twenty-five to thirty thousand inhabitants…
Biblical Precedents
As a result of the many Hasmonean conquests, the biblical concept of Eretz Israel--the area of Jewish settlement and sovereignty in ancient Palestine--was significantly expanded. Although today we are aware of the many differences in the delineation of Israel's borders according to various biblical traditions, it is generally agreed that the "Promised Land" included the territory between the Mediterranean Sea and east of the Jordan River, and between the Galilee and the northern Negev. While the boundaries of Yehud for the first four hundred years of the Second Temple period were severely restricted to the area around Jerusalem, a much more expansive understanding of Eretz Israel became a new reality under the Hasmoneans, with enormous ideological and social implications.
The Hasmoneans saw themselves as successors to Israel's biblical leaders, particularly the judges and kings of the First Temple era. This self-perception is made very clear in
|
Q:
Чем является ASCII по отношению к UTF-8 в Python
Насколько мне известно - ASCII является надмножеством UTF-8. Что это значит и как это применяется, например для кодировки в Python? Как можно понять, когда необходимо проводить encode/decode, а когда кодировка будет по умолчанию верной? И если Юникод содержит почти символы почти всех языков мира, то в чем преимущество ASCII?
A:
ASCII является надмножеством UTF-8
Наоборот. UTF-8 является надмножеством ASCII (корректнее - ASCII является подмножеством UTF-8).
Как можно понять, когда необходимо проводить encode/decode
encode/decode откуда куда? Вопрос довольно абстрактный. Если нет явной необходимости (как, например, в этом вопросе), то забивать голову перекодировкой текста не нужно.
то в чем преимущество ASCII?
Ни в чем. Т.к. ASCII - подмножество UTF-8, то текст в кодировке ASCII является также текстом в кодировке UTF-8.
|
Reviews: Survivor 20: Heroes vs Villains
Ben Vernel takes a look at the most recent season of Survivor. Beware: spoilers ahead.
Wow. What a season. There’s a reason Burnett and co. keep returning to the All-Stars gimmick – it leads to amazing gameplay and some intense competition between people who (think they) know what to expect. Russell grabbed more than his fair share of screentime for the second season in a row, Amanda failed horribly when lying to people’s faces once more, and Parvati carried a giant target on her back for the entire run.
It was sad to see Boston Rob go so early, especially considering the inept and naive way in which Russell (his rival and vanquisher) finished off the season, alienating everyone on the jury and failing to capitalize on any successful strategic gameplay. He really was the story of the season; he found idols, concocted blindsides and insulted people to their face. That third point is the reason he not only lost this season but will lose every final tribal council – he is consistently an ass to those who will eventually decide whether or not he deserves a million dollars. Russell treats Survivor as if it is a game of chess; there are pieces on the board that move in certain, well-defined and restricted ways. There are pawns, rooks, bishops and knights and he is there to move them around in order to win. Survivor is not chess, people are not pawns, and emotion does come into the equation.
Parvati deserved to win, in my opinion. She played hard, she made friends and she was strong in challenges. She balanced sneaky strategy with a good social game, and I feel that she suffered from her association with Russell. Sandra was funny and played pretty hard, but I find it hard to believe that no one on the jury realised that she had been playing both sides (heroes and villains) against each other since the merge. Nevertheless, it was an immensely entertaining season and ranks probably 3rd of all time, behind All-Stars at number two and Fans vs Favourites in the top spot.
Comments
Disagree with Parvati for the win.
I found the stupid look on her face difficult to watch…
which I think is a perfectly good reason to disagree.
I’m pro Team Sandra, i loved that hat-burning little minx.
|
HEAR
This is where the music floats. Songs written and performed by Rosanne Baker Thornley, as well as songs co-written with and performed by some of the talented singer/songwriters she has the pleasure to work with. Plunge on in. If you have something to say, please post a comment.
|
Mr. Belt & Wezol, Shermanology - Hide & Seek is part of the DJ Tools EP - Part 2 is out now: https://lnk.to/HELDEEPDJToolsEP-Part2
Part two of Heldeep’s hidden gems, this time bringing the heat in three stages. First there’s Mr. Belt & Wezol alongside Shermanology, dropping a dark bassline with dramatic strings and a vortex of synths. For sure, Hide & Seek is a thriller of a house tune.
Follow Heldeep Records:
Soundcloud: @HeldeepRecords
Facebook: www.facebook.com/HeldeepRecords
Twitter: twitter.com/heldeeprecords
Instagram: instagram.com/heldeeprecords/
YouTube: www.youtube.com/channel/UCLLVQloTOSNkIF9uSdh_lWQ
Bougenvilla & Out Of Cookies - Break It Down is part of the DJ Tools EP. Out now:
https://lnk.to/HELDEEPDJToolsEP-Part2
Part two of Heldeep’s hidden gems, this time bringing the heat in three stages. There’s the upwinding tune Break It Down, brought to you by Bougenvilla and Out Of Cookies. The team freaks out on a house trip, bringing the energy with recurring vocal samples, blazing percussion and a resounding drop. This will get things moving!
Follow Heldeep Records:
Soundcloud: @HeldeepRecords
Facebook: www.facebook.com/HeldeepRecords
Twitter: twitter.com/heldeeprecords
Instagram: instagram.com/heldeeprecords/
YouTube: www.youtube.com/channel/UCLLVQloTOSNkIF9uSdh_lWQ
|
Q:
JIRA Import CSV and link new issue to existing issues
Currently I have a CSV with two columns:
is test of
is tested by
When I import the issues I map them by Links and Sub-Tasks/Issue Id.
However, after completing import I do not see the links on any of the tickets.
How do I use a CSV for import and link the new issues to existing issues?
Note: https://confluence.atlassian.com/display/JIRAKB/How+to+Import+Issue+Links+from+a+CSV+File describes how to link new issues to new issues, but my goal is to link new issues to existing issues on import.
A:
Not sure why this failed originally. This time I simply made a test CSV with two columns (summary, is tested by). is tested by then had an existing issue id in it. Map the is tested by column to a link.
Import.
Done.
|
<div class="serendipity_staticblock clearfix">
{if $staticblock.title}
<h3>{$staticblock.title}</h3>
{/if}
{if $staticblock.body}
<div class="serendipity_staticblock_body clearfix">{$staticblock.body}</div>
{/if}
{if $staticblock.extended}
<div class="serendipity_staticblock_extended clearfix">{$staticblock.extended}</div>
{/if}
</div>
|
Exploring podcasting in heredity and evolution teaching.
Podcasts are digital files very popular in several and very distinct areas. In higher education, they have been explored in a multitude of ways mainly to support teaching and learning processes. The study here described focuses the integration of podcasts in Heredity and Evolution, a course from the Biology and Geology Degree Program at University of Minho, Portugal. It aimed to introduce podcasts in the teaching/learning context, to empirically study different dimensions of podcasting, and to evaluate students' acceptance and receptiveness to the pedagogical use of this technology. Five informative podcasts and three with feedback were produced and delivered. All the students listened to the audio files and considered the episodes audible and clear, their preference going to episodes of short or moderate length and containing summaries, study guidelines or syllabus contents. Students judged extremely valuable the integration of this technology in learning and showed receptiveness to podcasting in other courses. Curiously, in spite of owning mobile devices, students clearly favored the use of personal computers to listen to the podcasts. This student acceptance and openness to podcasting has been encouraging its pedagogical application in other teaching courses. The episodes produced often maintain the characteristics identified as the best by the students of this study but the pedagogical approach has been moving to a more student-centered learning situation, with students as podcasts producers. © 2016 by The International Union of Biochemistry and Molecular Biology, 44(5):429-432, 2016.
|
HP representatives did not respond to a request for comment on the report.
The mobile platform's future has been in limbo since then-CEO Leo Apotheker announced during an August earnings call that the company would discontinue operations for WebOS devices, specifically the TouchPad and WebOS phones. His proposal was to transform the company from a consumer electronics product manufacturer to a business-class software and consulting services provider.
And to eliminate the remaining inventory of unsold HP TouchPads, the company dramatically slashed prices on the tablet computer, creating what became a runaway bestseller.
However, the decision on what to do with the unit has been up in the air since the company's board ousted Apotheker and replaced him with former eBay CEO Meg Whitman. Apotheker announced during the same call that the company was considering spinning off its personal computer business--a strategy that Whitman has already vetoed.
On the heels of that reversal, and the instant popularity of HP's tablet, there has been some speculation the company might also decide to keep its WebOS business, which HP bought as part of Palm in July 2010. However, the platform was never a commercial success. Despite critical praise, the operating system failed to gain traction in the crowded mobile OS market.
|
Q:
What is the difference between "have an affair with somebody" and "cheat on somebody"
Did you have an affair with her? Did you cheat on her?
Does both have the same nuance?
A:
Using the "normal" meanings of the terms --
If you "have an affair with Betty" you are regularly seeing her (in a sexual intimacy sense) clandestinely. You may or may not have a "significant other" who is unaware of this relationship.
If you "cheat on Ruth" you are having intimate relations with someone else.
So you can simultaneously have an affair with Betty and cheat on Ruth, but you cannot (without playing some games with words or emotional implications) cheat on Ruth by having an affair with (the same) Ruth.
|
Protein kinase C induced changes in erythrocyte Na+/H+ exchange and cytosolic free calcium in humans.
To investigate the interrelationship between erythrocyte Na+/H+ exchange rate and free cytosolic Ca2+ concentration, the effect of the (non)selective protein kinase C inhibitors staurosporine, Ro 31-8220 and CGP 41251 (1 micromol/L) and of the protein kinase C activator phorbol-12-myristate-13-acetate (PMA, 1 micromol/L) was studied in vitro on these variables. PKC depleted erythrocytes were obtained after 24 h PMA down-regulation of the cells and intracellular Ca2+ clamping was obtained using quin-2 AM and fluo-3 AM. PMA increased (P < .05) the erythrocyte Na+/H+ exchange activity and this rise was accompanied by an increase in the free cytosolic Ca2+ concentration. When staurosporine and Ro 31-8220 were added to erythrocytes in suspension, a decrease in free cytosolic Ca2+ concentration was also found, whereas no significant change was observed after CGP 41251 administration. The Na+/H+ exchange rate was decreased in the 24 h PMA down-regulated erythrocytes as well as in Ca2+-clamped cells. Addition of Ca2+ in a concentration range of 0 to 1 mmol/L in the presence of calcimycin resulted (P < .001) in a stimulation of Na+/H+ exchange by 74%. Calcium increased the Vmax for cellular pHi or external Na+ activation of Na+/H+ exchange, whereas it did not affect the Km for H+(i) or external Na+ activation. However, in PKC down-regulated cells, calcium did not activate the Na+/H+ exchange in erythrocytes and the calpain inhibitor E-64d did not prevent this inactivation. Our data show a concomitant increase in free cytosolic Ca2+ concentration and Na+/H+-exchange rate upon protein kinase C activation and a corresponding decrease in both variables upon PKC inhibition, indicating a Ca2+ requirement for protein kinase C activation of Na+/H+ exchange.
|
Colsterworth
Colsterworth is a village and civil parish in the South Kesteven district of Lincolnshire, England. It lies less than half a mile (0.8 km) west of the A1, about south of Grantham, and north-west of Stamford. The village, with the hamlet of Woolsthorpe-by-Colsterworth, had a population of 1,713 at the time of the 2011 Census in an area of .
Civil parish
The civil parish includes the village of Woolsthorpe-by-Colsterworth, north-west of Colsterworth. The parish shares a grouped parish council with Gunby and Stainby and North Witham, known as Colsterworth and District Parish Council.
Woolsthorpe-by-Colsterworth
Woolsthorpe-by-Colsterworth is notable as the birthplace of Sir Isaac Newton, his home, Woolsthorpe Manor, being a visitor attraction. Woolsthorpe-by-Colsterworth village hall was built as a result of an appeal in Newton's memory, and is named after him. Newton was christened at the parish church of St John the Baptist, where a copy of the entry in the register is to be found.
Heritage
The name Colsterworth is from the Old English 'colestre' + 'worth' for "enclosure of the charcoal burners"; the name appears as "Colsteuorde" in the Domesday Book.
The village dates from the Roman era. It is close to Ermine Street, the old Roman road that ran from London directly north to Lincoln and to the Roman road known as High Dyke. A Roman smelting furnace was found at Colsterworth in 1931, as was a small defended Late Iron Age settlement in the 1940s.
Colsterworth is raised upon a slight limestone ridge, with the River Witham running below on the western side and dividing the two villages. The old hamlet of Twyford has been incorporated by the growth of Colsterworth, but the name survives in the names of some houses and in Twyford Wood. The area between Colsterworth Church and Twyford was once known as Dunkirk. Colsterworth, Woolsthorpe and Twyford are all separately entered in the Domesday Book of 1086. The village belonged to the historical wapentake of Winnibriggs and Threo.
The enclosures of the land in 1808 allowed the local landlords to increase their holdings. Thirty villagers also received land, but some sold on to avoid the compulsory expense of fencing it. In Colsterworth the rector commuted his tythes for 398 acres, in addition to his 11 acres of glebe. The position of Colsterworth on the Great York Road, later the Great North Road, became important as soon as the turnpike road was completed in 1752. It was appointed a post town, and by the mid-19th century had a thriving coaching trade. There were numerous inns – ten at one time. However, the village was bypassed in 1935.
The old coaching inns have been transformed into houses or business properties, such as The George House and The Sun Pottery, or demolished completely. The White Lion public house, standing opposite the parish church of St John the Baptist, alone now serves the population. About that time, ironstone workings began. These were closed in the 1970s and the site rehabilitated.
Colsterworth lies one mile to the west of Twyford Wood, which was the site of a Second World War airfield RAF North Witham, and still retains military artefacts, including open runways and a derelict control tower. After the war, the grassed part of the airfield was planted with oaks and conifers. This grassland habitat is home to a regionally important colony of dingy and grizzled skipper butterflies.
In 1884 the Rev. J. Mirehouse, Rector of Colsterworth, was responsible for the Home Office Baby publicity stunt.
The former Lincoln City footballer Ayden Duffy was brought up in Colsterworth.
Religion
The parish church of St John the Baptist has been a Grade I listed building since 1966. Its origins go back to Saxon times, as indicated by the herring-bone stonework in the chancel. The Norman arches were preserved during Victorian renovation, of which this church is a prime example. The surrounding churchyard has been closed for almost a century but is kept in order by the Parish Council. Inside the church, behind the organ, is a stone sundial plate that was cut with a penknife by Sir Isaac Newton when nine years of age. The stone, which has no gnomon, is mounted upside down below a carved wooden effigy of the scientist. Newton's mother, Hannah Ayscough (died 1679) and father, also called Isaac (died 1642), were buried in the church.
St John the Baptist's belongs to the Colsterworth Group of Anglican churches, sharing a priest with Holy Cross at Great Ponton, St Guthlac's at Little Ponton with Woodnook, St James's at Skillington and St Andrew and St Mary's at Stoke Rochford with Easton. It is in the deanery of Beltisloe and the Diocese of Lincoln.
Methodism came to Colsterworth about 1795. The present Methodist church in Back Lane dates back to the 1830s and is part of the Grantham and Vale of Belvoir Methodist Circuit.
Economy and amenities
There is little employment in the village itself. During and for some time after the Second World War, work was available at the ironstone excavations, but after operations ceased the site was filled and levelled. A tyre depot and Christian Salvesen food cold-store offer local jobs. Farming, the traditional occupation that previously absorbed most of the workforce, still provides some employment, for instance at the Openfield grain cooperative on the former RAF station. There is work at fast-food restaurants Little Chef, OK Diner and Travelodge on the A1, and at the nearby Stoke Rochford Hall, a conference and function centre.
The village has a post office, a medical surgery, a Co-op store and a hairdresser, with greengrocer, butcher and fishmonger mobile shops. There is a mobile library service.
Other facilities in the village include a sports and social club, a village hall, a youth centre that doubles as a nursery, and three playgrounds. There is another village hall at North Witham.
Colsterworth's Church of England primary school also provides for children in neighbouring villages. It has about 100 pupils in five classes that span the seven years of primary education. The school is a "guardian school" for nearby Woolsthorpe Manor, the birthplace of Sir Isaac Newton. The new school buildings that opened in Back Lane in 1973 replaced earlier ones in School Lane, dating from 1824 and 1895.
The A1 trunk road at Colsterworth was redeveloped in 2010, when Colsterworth roundabout was removed and a road bridge over the A1 added for local traffic, to address safety and traffic congestion concerns. The village is on the bus route between Grantham and Witham.
Dwellings and archive group
Although the oldest dwellings are of limestone, brick houses of the 1920s and 1930s are interposed amongst them. During the 1970s a large estate, Woodlands Drive, was built on ground previously belonging to Colsterworth House, which was demolished. The land between the village and the A1 was developed into a new housing estate. More recently, in 2009, a further housing development commenced on land previously utilised for steel storage and distribution, known as Newton Grange.
A village archive group was founded to record memories of Colsterworth people for posterity. The group's aim is to chronicle local social history and changes in dialect, and publish material as a resource and educational tool in book and DVD form. It has been funded by Lincolnshire Community Champions and the Local Heritage Initiative, now under the auspices of the Heritage Lottery Funding.
References
External links
"Woolsthorpe Manor", National Trust
"Isaac Newton", Newsreel, British Pathe
Colsterworth and District Parish Council
Category:Villages in Lincolnshire
Category:Civil parishes in Lincolnshire
Category:South Kesteven District
|
Q:
Integral $\\int_0^\\infty F(z)\\,F\\left(z\\,\\sqrt2\\right)\\frac{e^{-z^2}}{z^2}dz$ involving Dawson's integrals
I need you help with evaluating this integral:
$$I=\\int_0^\\infty F(z)\\,F\\left(z\\,\\sqrt2\\right)\\frac{e^{-z^2}}{z^2}dz,\\tag1$$
where $F(x)$ represents Dawson's integral:
$$F(x)=e^{-x^2}\\int_0^x e^{y^2}dy.\\tag2$$
A:
$$ \\begin{align} \\int_{0}^{\\infty} F(x) F(x \\sqrt{2}) \\frac{e^{-x^{2}}}{x^{2}} dx &= \\int_{0}^{\\infty} \\int_{0}^{\\sqrt{2}} \\int_{0}^{1} x e^{-x^{2}} e^{x^{2} y^{2}} x e^{-2x^{2}} e^{x^{2}z^{2}} \\frac{e^{-x^{2}}}{x^{2}} \\ dy \\ dz \\ dx \\\\ &= \\int_{0}^{\\sqrt{2}} \\int_{0}^{1} \\int_{0}^{\\infty} e^{-(4-y^{2}-z^{2})x^{2}} \\ dx \\ dy \\ dz \\\\ &= \\frac{\\sqrt{\\pi}}{2} \\int_{0}^{\\sqrt{2}} \\int_{0}^{1} \\frac{1}{\\sqrt{4-y^{2}-z^{2}}} \\ dy \\ dz \\end{align}$$
Let $y = \\sqrt{4-z^{2}} \\sin \\theta$.
$$\\begin{align} &= \\frac{\\sqrt{\\pi}}{2} \\int_{0}^{\\sqrt{2}} \\int_{0}^{\\arcsin ( \\frac{1}{\\sqrt{4-z^{2}}})} \\ d \\theta \\ d z \\\\ &= \\frac{\\sqrt{\\pi}}{2} \\int_{0}^{\\sqrt{2}} \\arcsin \\left( \\frac{1}{\\sqrt{4-z^{2}}} \\right) \\ dz \\end{align}$$
Now integrate by parts.
$$ = \\frac{\\sqrt{\\pi}}{2} \\left( \\frac{ \\sqrt{2} \\pi}{4} - \\int_{0}^{\\sqrt{2}} \\frac{z^{2}}{\\sqrt{3-z^{2}} (4-z^{2})} \\ dz \\right)$$
Let $ \\displaystyle z = \\frac{1}{u}$.
$$ = \\frac{\\sqrt{\\pi}}{2} \\left( \\frac{\\sqrt{2} \\pi}{4} - \\int_{1 / \\sqrt{2}}^{\\infty} \\frac{1}{\\sqrt{3u^{2}-1} (4u^{2}-1)} \\frac{du}{u}\\right) $$
Let $ \\displaystyle w^{2} = 3u^{2}-1$.
$$ \\begin{align} &= \\frac{\\sqrt{\\pi}}{2} \\left( \\frac{\\sqrt{2} \\pi}{4} - 3 \\int_{1 /\\sqrt{2}}^{\\infty} \\frac{1}{ (4w^{2}+1)(w^{2}+1)} \\ dw\\right) \\\\ &=\\frac{\\sqrt{\\pi}}{2} \\left( \\frac{\\sqrt{2} \\pi}{2} - 4 \\int_{1/ \\sqrt{2}}^{\\infty} \\frac{1}{4w^{2}+1} + \\int_{1/ \\sqrt{2}}^{\\infty} \\frac{1}{w^{2}+1} \\ dw\\right) \\\\ &= \\frac{\\sqrt{\\pi}}{2} \\left[ \\frac{\\sqrt{2} \\pi}{4} - \\pi +2 \\arctan \\left( \\sqrt{2} \\right) +\\frac{\\pi}{2} - \\arctan \\left( \\frac{1}{\\sqrt{2}} \\right) \\right] \\\\ &= \\frac{\\sqrt{\\pi}}{2} \\left( \\frac{\\sqrt{2} \\pi}{4} - \\pi + 3 \\arctan{\\sqrt{2}} \\right) \\end{align}$$
EDIT:
Using the same approach, one can derive the generalization
$$ \\int_{0}^{\\infty} F(ax) F(bx) \\frac{e^{-p^{2}x^{2}}}{x^{2}} \\ dx $$
$$ = \\frac{\\sqrt{\\pi}}{2} \\left[b \\arcsin \\left( \\frac{a}{\\sqrt{a^{2}+p^{2}}} \\right) - \\sqrt{a^{2}+b^{2}+p^{2}} \\arctan \\left(\\frac{ab}{p \\sqrt{a^{2}+b^{2}+p^{2}}} \\right) + a \\arctan \\left( \\frac{b}{p} \\right)\\right]$$
where $a, b,$ and $c$ are all positive parameters.
A:
$$I=\\frac{\\pi^{3/2}}8\\left(\\sqrt2-4\\right)+\\frac{3\\,\\pi^{1/2}}2\\arctan\\sqrt2$$
|
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.