text
stringlengths
8
5.77M
Star Wars: The Old Republic Comic Update BioWare has released the next update to the Star Wars: The Old Republic online comic. This latest episode follows two Jedi as they travel to the outer rim to oversee the withdrawal of troops, only to discover they are being watched over by a droid. Elsewhere, the Sith are striking up business deals.
Here’s a preview of the updated POV format showcasing the improvements since the last release posted here as well as some new directions we’re working towards. The full release is available on patreon with 4 additional girls for the teaser and sex scene as well as all 5 sex positions. We’ve come a long way and are excited about the future of our VR experiences. https://www.patreon.com/vranimeted
/* ============================================================ * * This file is a part of digiKam project * https://www.digikam.org * * Date : 2006-10-12 * Description : IPTC credits settings page. * * Copyright (C) 2006-2019 by Gilles Caulier <caulier dot gilles at gmail dot com> * * 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. * * ============================================================ */ #include "iptccredits.h" // Qt includes #include <QCheckBox> #include <QLabel> #include <QPushButton> #include <QValidator> #include <QGridLayout> #include <QApplication> #include <QStyle> #include <QLineEdit> // KDE includes #include <klocalizedstring.h> // Local includes #include "multistringsedit.h" #include "dmetadata.h" using namespace Digikam; namespace DigikamGenericMetadataEditPlugin { class Q_DECL_HIDDEN IPTCCredits::Private { public: explicit Private() { copyrightCheck = nullptr; creditCheck = nullptr; sourceCheck = nullptr; copyrightEdit = nullptr; creditEdit = nullptr; sourceEdit = nullptr; bylineEdit = nullptr; bylineTitleEdit = nullptr; contactEdit = nullptr; } QCheckBox* copyrightCheck; QCheckBox* creditCheck; QCheckBox* sourceCheck; QLineEdit* copyrightEdit; QLineEdit* creditEdit; QLineEdit* sourceEdit; MultiStringsEdit* bylineEdit; MultiStringsEdit* bylineTitleEdit; MultiStringsEdit* contactEdit; }; IPTCCredits::IPTCCredits(QWidget* const parent) : QWidget(parent), d(new Private) { QGridLayout* const grid = new QGridLayout(this); // IPTC only accept printable Ascii char. QRegExp asciiRx(QLatin1String("[\x20-\x7F]+$")); QValidator* const asciiValidator = new QRegExpValidator(asciiRx, this); // -------------------------------------------------------- d->copyrightCheck = new QCheckBox(i18n("Copyright:"), this); d->copyrightEdit = new QLineEdit(this); d->copyrightEdit->setClearButtonEnabled(true); d->copyrightEdit->setValidator(asciiValidator); d->copyrightEdit->setMaxLength(128); d->copyrightEdit->setWhatsThis(i18n("Set here the necessary copyright notice. This field is limited " "to 128 ASCII characters.")); // -------------------------------------------------------- d->bylineEdit = new MultiStringsEdit(this, i18n("Byline:"), i18n("Set here the name of content creator."), true, 32); // -------------------------------------------------------- d->bylineTitleEdit = new MultiStringsEdit(this, i18n("Byline Title:"), i18n("Set here the title of content creator."), true, 32); // -------------------------------------------------------- d->creditCheck = new QCheckBox(i18n("Credit:"), this); d->creditEdit = new QLineEdit(this); d->creditEdit->setClearButtonEnabled(true); d->creditEdit->setValidator(asciiValidator); d->creditEdit->setMaxLength(32); d->creditEdit->setWhatsThis(i18n("Set here the content provider. " "This field is limited to 32 ASCII characters.")); // -------------------------------------------------------- d->sourceCheck = new QCheckBox(i18nc("original owner of content", "Source:"), this); d->sourceEdit = new QLineEdit(this); d->sourceEdit->setClearButtonEnabled(true); d->sourceEdit->setValidator(asciiValidator); d->sourceEdit->setMaxLength(32); d->sourceEdit->setWhatsThis(i18n("Set here the original owner of content. " "This field is limited to 32 ASCII characters.")); // -------------------------------------------------------- d->contactEdit = new MultiStringsEdit(this, i18n("Contact:"), i18n("Set here the person or organization to contact."), true, 128); // -------------------------------------------------------- QLabel* const note = new QLabel(i18n("<b>Note: " "<b><a href='http://en.wikipedia.org/wiki/IPTC_Information_Interchange_Model'>IPTC</a></b> " "text tags only support the printable " "<b><a href='http://en.wikipedia.org/wiki/Ascii'>ASCII</a></b> " "characters and limit string sizes. " "Use contextual help for details.</b>"), this); note->setOpenExternalLinks(true); note->setWordWrap(true); note->setFrameStyle(QFrame::StyledPanel | QFrame::Raised); // -------------------------------------------------------- grid->addWidget(d->bylineEdit, 0, 0, 1, 3); grid->addWidget(d->bylineTitleEdit, 1, 0, 1, 3); grid->addWidget(d->contactEdit, 2, 0, 1, 3); grid->addWidget(d->creditCheck, 3, 0, 1, 1); grid->addWidget(d->creditEdit, 3, 1, 1, 2); grid->addWidget(d->sourceCheck, 4, 0, 1, 1); grid->addWidget(d->sourceEdit, 4, 1, 1, 2); grid->addWidget(d->copyrightCheck, 5, 0, 1, 1); grid->addWidget(d->copyrightEdit, 5, 1, 1, 2); grid->addWidget(note, 6, 0, 1, 3); grid->setColumnStretch(2, 10); grid->setRowStretch(7, 10); grid->setContentsMargins(QMargins()); grid->setSpacing(QApplication::style()->pixelMetric(QStyle::PM_DefaultLayoutSpacing)); // -------------------------------------------------------- connect(d->copyrightCheck, SIGNAL(toggled(bool)), d->copyrightEdit, SLOT(setEnabled(bool))); connect(d->creditCheck, SIGNAL(toggled(bool)), d->creditEdit, SLOT(setEnabled(bool))); connect(d->sourceCheck, SIGNAL(toggled(bool)), d->sourceEdit, SLOT(setEnabled(bool))); // -------------------------------------------------------- connect(d->copyrightCheck, SIGNAL(toggled(bool)), this, SIGNAL(signalModified())); connect(d->bylineEdit, SIGNAL(signalModified()), this, SIGNAL(signalModified())); connect(d->bylineTitleEdit, SIGNAL(signalModified()), this, SIGNAL(signalModified())); connect(d->creditCheck, SIGNAL(toggled(bool)), this, SIGNAL(signalModified())); connect(d->sourceCheck, SIGNAL(toggled(bool)), this, SIGNAL(signalModified())); connect(d->contactEdit, SIGNAL(signalModified()), this, SIGNAL(signalModified())); // -------------------------------------------------------- connect(d->copyrightEdit, SIGNAL(textChanged(QString)), this, SIGNAL(signalModified())); connect(d->creditEdit, SIGNAL(textChanged(QString)), this, SIGNAL(signalModified())); connect(d->sourceEdit, SIGNAL(textChanged(QString)), this, SIGNAL(signalModified())); } IPTCCredits::~IPTCCredits() { delete d; } void IPTCCredits::readMetadata(QByteArray& iptcData) { blockSignals(true); DMetadata meta; meta.setIptc(iptcData); QString data; QStringList list; d->copyrightEdit->clear(); d->copyrightCheck->setChecked(false); data = meta.getIptcTagString("Iptc.Application2.Copyright", false); if (!data.isNull()) { d->copyrightEdit->setText(data); d->copyrightCheck->setChecked(true); } d->copyrightEdit->setEnabled(d->copyrightCheck->isChecked()); list = meta.getIptcTagsStringList("Iptc.Application2.Byline", false); d->bylineEdit->setValues(list); list = meta.getIptcTagsStringList("Iptc.Application2.BylineTitle", false); d->bylineTitleEdit->setValues(list); d->creditEdit->clear(); d->creditCheck->setChecked(false); data = meta.getIptcTagString("Iptc.Application2.Credit", false); if (!data.isNull()) { d->creditEdit->setText(data); d->creditCheck->setChecked(true); } d->creditEdit->setEnabled(d->creditCheck->isChecked()); d->sourceEdit->clear(); d->sourceCheck->setChecked(false); data = meta.getIptcTagString("Iptc.Application2.Source", false); if (!data.isNull()) { d->sourceEdit->setText(data); d->sourceCheck->setChecked(true); } d->sourceEdit->setEnabled(d->sourceCheck->isChecked()); list = meta.getIptcTagsStringList("Iptc.Application2.Contact", false); d->contactEdit->setValues(list); blockSignals(false); } void IPTCCredits::applyMetadata(QByteArray& iptcData) { QStringList oldList, newList; DMetadata meta; meta.setIptc(iptcData); if (d->copyrightCheck->isChecked()) meta.setIptcTagString("Iptc.Application2.Copyright", d->copyrightEdit->text()); else meta.removeIptcTag("Iptc.Application2.Copyright"); if (d->bylineEdit->getValues(oldList, newList)) meta.setIptcTagsStringList("Iptc.Application2.Byline", 32, oldList, newList); else meta.removeIptcTag("Iptc.Application2.Byline"); if (d->bylineTitleEdit->getValues(oldList, newList)) meta.setIptcTagsStringList("Iptc.Application2.BylineTitle", 32, oldList, newList); else meta.removeIptcTag("Iptc.Application2.BylineTitle"); if (d->creditCheck->isChecked()) meta.setIptcTagString("Iptc.Application2.Credit", d->creditEdit->text()); else meta.removeIptcTag("Iptc.Application2.Credit"); if (d->sourceCheck->isChecked()) meta.setIptcTagString("Iptc.Application2.Source", d->sourceEdit->text()); else meta.removeIptcTag("Iptc.Application2.Source"); if (d->contactEdit->getValues(oldList, newList)) meta.setIptcTagsStringList("Iptc.Application2.Contact", 128, oldList, newList); else meta.removeIptcTag("Iptc.Application2.Contact"); iptcData = meta.getIptc(); } } // namespace DigikamGenericMetadataEditPlugin
765 F.2d 145 Unpublished DispositionNOTICE: Sixth Circuit Rule 24(c) states that citation of unpublished dispositions is disfavored except for establishing res judicata, estoppel, or the law of the case and requires service of copies of cited unpublished dispositions of the Sixth Circuit.ALICIA E, MARSH, PLAINTIFF-APPELLANT,v.TENNESSEE VALLEY AUTHORITY; POWER EQUIPMENT CO.; TAMPOMANUFACTURING COMPANY, INC.; JERRY DEATLEY; RICHARD DOCKERY;BOBBY VINCIL; BOBBY BURKE; JAMES MOSER; AND POWER EQUIPMENTCOMPANY, DEFENDANTS-APPELLEES. NO. 84-5120 United States Court of Appeals, Sixth Circuit. 5/31/85 ON APPEAL FROM THE UNITED STATES DISTRICT COURT FOR THE EASTERN DISTRICT OF TENNESSEE BEFORE: MARTIN and KRUPANSKY, Circuit Judges; and WEICK, Senior Circuit Judge. PER CURIAM. 1 Plaintiff Alicia E. Marsh (Marsh) appealed the various partial summary judgments and the directed verdict entered pursuant to motions filed by the defendants Tennessee Valley Authority (TVA), TVA employees Jerry Deattley, Richard Dockery, Bobby Vincil, Bobby Burke and James Moser, Power Equipment Company (PECO) and Tampo Manufacturing Company, Inc. (Tampo) during the course of this products liability litigation. The relevant facts are as follows. 2 The 'Ocoee Flume Line Project' on which plaintiff was working when injured involved replacing an old wooden flume perched on a mountainside, preparation of a bed for the new flume, and construction of the new flume. Part of this preparation required the placement and compaction of gravel on a ledge in accordance with TVA specifications. TVA contracted Jones-Hailey (J-H) to perform the work. Plaintiff Marsh was an employee of J-H. 3 Marsh's primary assignment at the site was to operate a roller compactor, manufactured by defendant Tampo and leased by J-H from defendant PECO, to compact the gravel on the flume bed. The compactor did not have a roll-over protective structure (ROPS). 4 Marsh acknowledged that she had been operating the compactor throughout the spring and summer of 1981 and was thoroughly familiar with its characteristics. On the morning of September 4, 1981, Marsh was operating the compactor near the outer edge of the flume bed when she felt a 'funny sensation.' She stopped to observe the area, but could see nothing out of the ordinary. Plaintiff resumed operation of the equipment and began moving backward when she experienced a sinking sensation. She attempted to jump from the machine, but slipped and was thrown from the vehicle as it left the flume bed. While plaintiff attempted to clear the machine, the compactor continued to move in reverse toward the edge of the flume bed and ultimately backed off the ledge. The plaintiff received injuries as a result of the accident. There were no eye-witnesses to the incident. 5 Plaintiff initiated suit against the defendants, alleging that their individual and/or collective negligence caused her injuries. Marsh also asserted strict liability and breach of express or implied warranty as theories of recovery against PECO and Tampo. 6 Prior to trial, the district court granted a motion for summary judgment on behalf of the individual defendants who were employees of TVA. The court also granted a partial summary judgment in favor of TVA and defendant PECO. Following the plaintiff's proof, the court granted TVA's motion for a directed verdict. After the defendant's proof, the court submitted the case to the jury as to the defendants PECO and Tampo upon issues of negligence and strict liability. The jury returned a verdict in favor of these defendants. 7 The plaintiff moved for a new trial which the court overruled and from which the plaintiff appealed. Specifically, plaintiff charged that the district court erred (1) in granting summary judgment for the individual TVA employees named as defendants herein; (2) in granting partial summary judgment for TVA, thus excluding plaintiff's claim that TVA breached its duty to inspect the site for safety hazards; (3) in directing a verdict for TVA at the conclusion of the plaintiff's proof; (4) in granting a partial summary judgment in favor of PECO upon the issue of warranty of fitness; and (5) in restricting the testimony of plaintiff's experts and refusing admission of a 'learned treatise' into evidence. 8 Regarding TVA and its employees, the plaintiff was charged with the burden of proving the breach of a duty due her from these defendants. The existence or nonexistence of such a duty 'is entirely a question of law . . . and it must be determined by the court.' Dill v. Gamble Asphalt Materials, 594 S.W.2d 719, 721 (Ky. App. 1979) (citing W.Prosser, Law of Torts, Sec. 37 (4th ed. 1971)). This court agrees with the district court that the teachings of Musgrave v. Tennessee Valley Authority, 391 F.Supp. 1330 (N.D. Ala. 1975); and Cooper v. Metropolitan Government of Nashville, et al., 628 S.W.2d 30 (Tenn. App. 1981) control the instant action and belie plaintiff's argument that the TVA and its employees had a duty to insure plaintiff's safety as an employee of an independent contractor. Tennessee law does not permit an independent contractor's duty to its employees to be imputed to its employer. Southern Ry. Co. v. Welsh, 247 F.2d 340, 341 (6th Cir. 1957) (per curiam); Overstreet v. Norman, 44 Tenn. App. 343, 314 S.W.2d 47 (1958), cert. denied; Whittle v. Atlas, 34 F.Supp. 563, 564 (E.D. Tenn. 1970). The conclusion of the court below that plaintiff could not, as a matter of law, recover from either TVA or TVA employees on her negligence claim should not be disturbed on appeal. 9 Plaintiff has also challenged the district court's summary judgment in favor of PECO, which was based upon the conclusion that PECO breached no common-law warranty of fitness to plaintiff by supplying J-H with a roller compactor which was allegedly unsafe for its intended use. This court concurs with the district court that even if such a common law warranty was recognized in Tennessee jurisprudence, the specific disclaimer of such a warranty incorporated into the leasing agreement between PECO and J-H unequivocally negated any liability. See Redman v. U-Hall Co., 358 S.W.2d 300, 302 (Tenn. 1962) (parties may provide by express agreement for terms different than those otherwise implied in law). Plaintiff's allegations charging a violation pursuant to the statutory warranty of merchantability, as set forth in Sec. 315 of the Uniform Commercial Code (UCC), as an alternative to a common-law theory is undermined by failure to include any reference to such a UCC anchored assertion in the final pretrial order. U.S. v. Hougham, 364 U.S. 310, 315, 81 S.Ct. 13, 17, 5 L.Ed.2d 8, reh'g denied, 364 U.S. 938 (1960) (final pretrial order controls the subsequent course of the pleadings in accordance with Fed.R.Civ.P. 16(e)); McKinney v. Galvin, 701 F.2d 584, 585 (6th Cir. 1983) (same). 10 Plaintiff's final argument is that the trial court committed reversible error in two evidentiary rulings: (1) by refusing to permit her experts, David MacCollum and Dr. Ronald B. Cox, to express opinions as to the extent and nature of injuries which plaintiff would have suffered as a result of the accident had the roller compactor been equipped with a roll-over safety system (ROPS); and (2) by denying admission of certain graphs into evidence which purported to explain the effect upon a human body falling certain distances. 11 Preliminary to its rulings, the trial court interrogated the experts extensively as to their qualifications. The court subsequently permitted them to testify about ROPS generally, as well as to express opinions on the inherently dangerous propensities of the equipment and the hazards inherent to its operation at the site. The court refused, however, to allow these witnesses to express opinions on the probable extent of injuries which plaintiff would have received had the compactor been equipped with an ROPS or to express opinions as to the human body's physical tolerance and reaction to outside forces, impacts, and unnatural movements. 12 The introduction of expert testimony is a question of law for the trial court to be made in accordance with the provisions of the Federal Rules of Evidence. FRE 104. Pursuant to FRE 702, a witness will be permitted to express an opinion as an expert if qualified by knowledge, skill, experience, training or education, and if the proffered opinion will assist the trier of fact in understanding other evidence adduced or to determine a fact at issue. U.S. v. Smith, 736 F.2d 1103 (6th Cir. 1984). The trial court's decision regarding expert testimony is discretionary and will only be reversed for an abuse of that discretion. Mannino v. International Manufacturing Co., 650 F.2d 846, 851 (6th Cir. 1981); Morvant v. Construction Aggregates Corp., 570 F.2d 626, 634 (6th Cir. 1978). 13 The considered ruling by the district judge herein simply cannot be deemed an abuse of discretion. 14 Plaintiff also complained of the trial court's failure to submit certain exhibits to the jury purporting to describe the effect on a human body falling specific distances. Plaintiff argued that these graphs should have been admitted under the 'learned treatise' exception to the hearsay rule set forth at FRE 803(18). Even assuming, arguendo, that the materials satisfied the criteria for a 'learned treatise,' FRE 803(18) express prohibition against receiving such documents into evidence as exhibits: 'If admitted, the statements may be read into evidence but may not be received as exhibits' (emphasis added). See, e.g., Dawson v. Chysler Corp., 630 F.2d 950 (3d Cir. 1980); Garbincius v. Boston Edison Co., 621 F.2d 1171 (1st Cir. 1980). 15 In view of the foregoing, the decision of the court below is AFFIRMED.
Linux provides cut command for remove sections from each line of output in bash. cut command provides a mechanism to filter extract column/text from a file or standard output. Detailed examples can be found below. We have the following text file named fruits.txt apple 1 good grape 5 bad banana 2 not bad Syntax cut OPTION... [FILE]... Select Column Cut command provides the ability to select a specified column according to character number for all rows. Here we will print all rows 3 character line by line to the console. This will only print a single character. $ cut -c3 fruits.txt Select Column For Character Range In the previous example, we have printed a single character to the terminal. We can also print multiple characters to the console by specifying the character range like below. We can see that the character index starts at 1. $ cut -c1-6 fruits.txt Select Column Using Start Position Another useful feature of cut is specifying only to start position up to end. $ cut -c3- fruits.txt Select Column Using End Position We can print range from start to the specified position only specifying end position. This will assume start position as 1 $ cut -c-3 fruits.txt Select Single Field The field is some part of text delimited with specific characters like space, tab, double comma, etc. We can select text with field numbers. By default field delimiter is tab. Our text is already provided tab for delimitation. In this example, we will select 3. field. $ cut -f3 fruits.txt Select Multiple Fields As we do in characters we can also specify field range. We will select fruit names and counts with the following command. $ cut -f1-2 fruits.txt The following example selects more than one field one by one not using ranges. $ cut -f1,2,3 fruits.txt Last Field One of the most popular usages of cut is printing last field. The problem is that field count may change according to text and we can not specify the last field only using cut command. The following example uses rev command to get last field. $ cat fruits.txt | rev | cut -f1 | rev Select Fields Include Specified Chars By default cut do not have the ability to exclude lines according to characters but grep can be used easily to implement this feature. We will only select rows contain app $ grep 'app' fruits.txt | cut -f1-2 Select Fields Except for Specified Chars We can reverse the previous example and remove unwanted rows. We will remove lines contains app and then print columns from 1 to 2 . $ grep -v 'app' fruits.txt | cut -f1-2 Specify Delimiter The delimiter is used to divide fields. By default, the tab is used as the delimiter. But it can be specified with -d option like below. Following the example, we use : as delimiter because the passwd file uses it. Then we only want to show user names that resides in field 1. $ cut -d: -f1 /etc/passwd Print Except Fields As we see previously fields can be printed as ranges too. We can also print by excepting fields. This will print all renaming fields. Following the example, we can want to print all fields except 2. Change Delimiter Text may have delimiters by default. In some situations, we may want to change delimiter while printing to the console. --output-delimiter option can be used for this operation. The following example will change the tab delimiter to the comma. $ cut -f1,2,3 --output-delimiter=',' fruits.txt
Q: How do I create a file inside a directory that I created? I want to create a directory and then create some files in that directory. I have already created a directory like so: if not os.path.exists("output"): os.mkdir("output") How can I now access this directory and create some files using something like this open("foo.txt", "w")? A: Prepend the directory name to your filename: with open('output/foo.txt', 'w') as f: f.write('some content')
Newspaper Page Text NEWBERG, GRAPHIC, THURSDAY, DECEMBER 88, 1888 W atch and Clock Repairing BAPTIST CHURCH Sunday school at 9:46 a. m. Preaching service at 11 a. m. Junior B. T. P. U. 6:30 p. m. Senior B. T . P. Ü. 6:30 p. m. Preaching at T:3o p. m. DTJ1DEE M. E. CHURCH aday School 16:00 a. m. caching 11:00 a. m. worth League 7:00 p. » . lyer meeting Thursday I: This should bs a great rally day1 for the entire membership at all ser­ vices. W atches, Clocks and Jewelry o f all Iririds. Chris! Supplies, etc. A ll Repair W ork Guaranteed E G .R E I D At the Wednesday prayer meeting hour next week Mr. Phllllpe will commence a aeries of studies In the book of Revelation. It la hoped that many will avail themselves of this opportunity to gain • deeper knowl­ edge of this most wonderful message Of Jesus Christ to His church. v 9 0 6 First S tre e t The sermon hours for the next few Sunday evening» will be devoted to discussing and answering suggested top lea and questions from the congre­ gation. The plan Is simple. Write , the topic you wish discussed, or the question that you desire answered, upon paper and hand or mall to Mr. , Phillips the previous week end It will receive acknowledgement and form the bads of part of the^ evening's study. The only restriction is that AUCTIONEER U V E STOCK and GEMERAI : Prayer meeting the following Wednesday ovening at 7:11 prompt­ ly; and choir rehearsal at 6:30 sharp. Sunday school at 6:46 a. m. Classes tor all ages. . - Preaching 11:00 a. m. Junior Epworth League 3:30 p. m. Senior Epworth League 6:30 p. m. Prayer meeting Wedneeday at 7:30 p. m. A large and appreciative audience sttended the Christmas exercises at the Methodist church last Sunday evening. The program waa made up of songs, recitations and dialogues by children of the Sunday school, several beautiful selections by the Sunday school orchestra, and three special numbers by the choir. An' offering for the starving people .in the Near Bast waa taken. After the Christmas exercises last Sunday night about thirty members of the Methodist choir went caroling. They sang the Christmas songs for fifteen families, among these were sick ones and people shut In. About 10:30 after singing for the pastor and bidding each other good night and a Merry Christmas, the Crowd broke up. The members of the junior league enjoyed a Christmas party last Sat­ urday in the church rooms. The children played lively games and late in the afternoon sacks of candy, popcorn and nuts were passed. The Chehalem Valley Mills Flour and Feed a l l k in d s O regM -W ashngtM . Track Service or m il l p u d and p o u l t x t su ppu m b NEWBERG, GREG ROURD TRIPS DAILY Betw. Portland and Newberg. Local office Spivey’s Paint S tan. . Phone Blade 78 PRIEHB8 CHURCH Sunday morning subject at Friends church: “ Looking Through the Portals Into the New Year." Fred E. Carter. Sunday evening at 7:30. a Near Bast relief worker. Miss Mary A. Rolfs, will speak. PRESBYTERIAN CHURCH Services at the Presbyterian church next Sabbath as usual except for the union evening service at the Friends ohmrch, In interest of the Near East rsltef. Warm and urgent invitation to the public, especially those not Identified with any o f the other churehee, to attend theee set* N e s t A m y 's C o n fe ctio H A Y A N D G R A IN Tell your friends how much you enjoy reading the Graphic. tf H. E. Krelder. pastor, resides« C06 Grant street; phone Blue TO. Sunday school at 10 a. m. Preaching at 11 a. m. Toung people’s meeting at 6: SO There will be no preaching in the evening, and the congregation will Join In the anion service at the Friends church. . Wishing you the Season’s Greetings Portland office 40 Seoond S t PROGRAM AT CHURCH OF CHRIST The Bible school entertainment given at the Church of Christ on Fri­ day evening of last week, exceeded the expectations aroused by the pub- IIshed program, The house was fill- ed to capacity, late-comers having to stand. The children were at their beat a n i evesyttiing went off with­ out a hitch. It would really be hard to say which was the beet number- rendered as all were good, yet some deserve special mention. ■The little play was splendid and the acting was devoid of all stiffness, the Brownies being especially good and creating a wealth of amusement when they brought In their Christmas pie, which when opened revealed a beau­ tiful little fairy (Ruth Collins). A fine drill by the intermediate girls was well received and the pantomime by the senior girls was really beau­ tiful. The stage effects were fine and the decorations, chief o f which was the- Christmas tree, were in keepiqg with the season. A collec­ tion was received for -benevolent work. Altogether It was a splendid evening’ s entertainment and fully re­ paid the efforts of those reeponslble. A vote of thanks is due the various committees who made possible the event and particularly the program committee. Ethel Johnson, Freda Parrish and Zells Hughes, who were untiring In their work of training the children. RELIC OF SAXON DAYS The New Year begins precisely at midnight and almost everyone now­ adays ssee the New Year in by gener­ al festivities and many good resolu­ tions, which are promptly forgotten on January 3. The festivities marking this oc­ casion, says Hereward Carrington, scientist and author, are very ancient and in old Saxon days It was the cus­ tom to partake o f a bowl of spiced ale, which was passed around with, the expression •‘Waashael,’’ which meant “ to your health!” . Hence the DORT LOSE YOUR TEETH Thousands of people are wearing false teeth today because of the ravages of PYORRHEA. Pyre-Form *.• — a newly discovered scientific remedy is guaranteed to give per­ manent relief In any case of pyor­ rhea. Your druggist will refund the purchase price if you are not entirely satisfied with the results obtained. LY1H B. FERGUSON Newberg W eft P in t Street REWBERG, OREGOH C. A. H0D80H Calla promptly attended to, day or night. Courteous, sympathetic service. Phone Green l i t . Schob Track Service Bill B e st, the Plumber Bill, th e Plumber (Mot a partner. W orking interest only) LOCAL OFFICES That’s what you want If you are a walnut grower; and that’s what you want to positively know about if you are thinking of starting wal­ nuts. To help you in properly cultivating the rich walnut soil in your section and make it yield the greatest har­ vest at the least coat, we have illus­ trated literature prepared by wal- without any obligation on your part. Simply use the attached cou­ pon. Regardless of how many trees you want or of what variety (we have anything you want). It la important that you plant trees of the best quality, healthy, vigorous and pro­ ductive. That’s the only kind we UNITED NATIONAL BANK Neuberg Transfer Go. This hank issues interest bearing coupon certificates that provide a safe, convenient and profitable form o f investm ent Interest rates 4 per cent for twelve months, SVs per cent for six months. 8. F. TTMBKBT.AKF., Proprietor Residence phone Red 7* Ottoe phone. White 187 Safety deposit boxes, protected by heavy reinforoed con­ crete vault, massive burglar proof door and complete electric alarm system, $2.50 per year. A ROLL OF HONOR BANK 8. L. PARRETT, President J. L. HOSKINS. Vice Pres. J. C. COLCORD, Cashier H. M. HOSKINS. Aset. Cashier W. E. CROZER. Asst. Cashier R. A. BUTT, Asst. Cashier Oregon Nursery Co., Orenoo. Ore. Send me information referred to above without obli­ gation to me. Name ........... .............. Address Last week Mrs. Brown was in despair. For the third tin e her laundress had failed her. And the fam ily simply had to have clean things to C. 0 . Cdllard, Prop. KAYE TROUGHS, CORNICES, CHURCH OF CHRIST C. H. Phillips, minister. Services: Bible school 9:46; communion 11 a. m .o r ; P. S. e . 1» . 6 and 6:36; song service 7:80. Prayer service Wed­ needay 7:80 p.m. A cordial greet­ wifi thus be seen that the New Year, ing for all who attend. observed on January 1, is relatively A number of eeqlpr Endeavorers new, though we are accustomed to played Santa Claus to some needy think that It dates back from^tlme people of the town ett Sunday eve­ Immemorial. It was Julius Caauar, In the year ning last. They collected groceries, etc., and deposited them on the steps of the bouses visited aa a pleas-' sat surprise to those who were with­ tronomer Sosigenes. He made it a in and anticipating a rather lean few minutes too long, and a second Christmas. This is real Christmas correction was necessary. Pope Greg­ endeavor and we Should thank God ory made certain ehanges In 1008, for the young people who, In the A. D. and additional minor ehanges midst of festivities, are able to think were made later on, from the "old of the needs of others and visit style” to the “ new style’’ calendar. We now employ the new style. them in the name ofi Christ. After the French revtdntion France Next Lord’s day la to he a busy decided to set up an entirely new or­ one for the church. The morning der of things. A new calendar was session will commence with the Bi­ made. The Christian ora waa wiped ble school, and Brother Phllllpe at the worship hour of the church will bring a massage appropriate to the New Year celebration. “ The Price of Program” Is the title. Following the last two sermons sounding an op­ timistic note, this should be helpful snd full of Inspiration. At 13:30 a basket lunch will be served cafeteria style in the basement. Church and BIMe school officers are to be elected, __ s&gssRm: ssp&fissr'fti ansmxs tor of the church at McMinnville. I verted Into a "Temple o f Reason.” SKY LIGHTS Since 1907 Stoves Lined Furnaces 718 H ist S t Phone Black 88 She had never tried our Family Laundry Service— she was quite certain that it was terribly expensive. But something had to be done, so she bundled, np her wash­ ing and called us. ........... “ Imagine my surprise,” she told us, “ to find that my week’s washing had oest me no more than I had been paying my laundress.” “ And the work was so nioely done— everything was so fresh and spotless. The littlsi hit o f ironing le ft flw me took hardly any time at all.” We w ill call for your bundle, and wash your clothes in oceans of rainsoft water, with the mildest o f pure, white soap. We ll iron all o f the heavy flat piooes, and w iU return your washing promptly, with only a few gar­ ments left for you to iron. Just phone usf when your bundle is ready. Newberg Laundry
Q: Using javascript and rails to make a drop down menu of links I am trying to make a drop down menu of links. I use the following in rails to generate the drop down menu: select("post","id", current_user.admin.post.all.collect {|p| [p.title, post_path(p) ] }, {:include_blank => 'None', :prompt => 'Your Posts'}) As a result of this ruby, the drop down menu looks like this: <select id="post_id" name="post[id]"> <option value="">Your posts</option> <option value="">None</option> <option value="/posts/1">Vacations</option> </select> And I am trying to get the following javascript to send the user to the correct url: $(document).ready(function() { $("#post_id").change(function () { var newwindow = $("#post_id option:selected").attr("id"); window.location.replace(newwindow); }) }); However, it tries to go to /admins/undefined and comes back with this: Couldn't find Admin with id=undefined Any help would be appreciated! John A: You're getting undefined because none of your <option> elements have id attributes, perhaps you want to look at their values: $("#post_id").change(function () { var newwindow = $("#post_id option:selected").attr("value"); if(newwindow) window.location.replace(newwindow); else // Complain or something. }); Or just grab the value straight from the <select>: $("#post_id").change(function () { var newwindow = $("#post_id").val(); if(newwindow) window.location.replace(newwindow); else // Complain or something. });
var fs = Npm.require('fs'); var path = Npm.require('path'); var createLessFile = function (path, content) { fs.writeFileSync(path, content.join('\n'), { encoding: 'utf8' }); }; var getAsset = function (filename) { return BootstrapData(filename); }; var getLessContent = function (filename) { var content = getAsset(filename); return '\n\n// @import "' + filename + '"\n' + content.replace(/@import\s*["']([^"]+)["'];?/g, function (statement, importFile) { return getLessContent(path.join(path.dirname(filename), importFile)); }); }; var handler = function (compileStep, isLiterate) { var jsonPath = compileStep._fullInputPath; // read the configuration of the project var userConfiguration = compileStep.read().toString('utf8'); // if empty (and only then) write distributed configuration if (userConfiguration === '') { userConfiguration = distributedConfiguration; fs.writeFileSync(jsonPath, userConfiguration); } // parse configuration try { userConfiguration = JSON.parse(userConfiguration); } catch (e) { compileStep.error({ message: e.message, sourcePath: compileStep.inputPath }); return; } // configuration var moduleConfiguration = userConfiguration.modules || {}; // these variables contain the files that need to be included var js = {}; // set of required js files var less = {}; // set of required less files // read module configuration to find out which js/less files are needed var allModulesOk = _.every(moduleConfiguration, function (enabled, module) { var moduleDefinition = moduleDefinitions[module]; if (moduleDefinition == null) { compileStep.error({ message: "The module '" + module + "' does not exist.", sourcePath: compileStep.inputPath }); return false; // break } if (! enabled) { return true; // continue } _.each(moduleDefinition.less || [], function (file) { less[file] = file; }); _.each(moduleDefinition.js || [], function (file) { js[file] = file; }); return true; }); if (! allModulesOk) { return; } // add javascripts for (var jsPath in js) { var file = getAsset(jsPath); compileStep.addJavaScript({ path: jsPath, data: file, sourcePath: jsPath, bare: true // they are already wrapped (tiny optimisation) }); } // filenames var mixinsLessFile = jsonPath.replace(/json$/i, 'mixins.import.less') var importLessFile = jsonPath.replace(/json$/i, 'import.less'); var outputLessFile = jsonPath.replace(/json$/i, 'less'); createLessFile(mixinsLessFile, [ "// THIS FILE IS GENERATED, DO NOT MODIFY IT!", "// These are the mixins bootstrap provides", "// They are included here so you can use them in your less files too,", "// However: you should @import \"" + path.basename(importLessFile) + "\" instead of this", getLessContent('bootstrap/less/mixins.less') ]); // create the file that can be modified if (! fs.existsSync(importLessFile)) { createLessFile(importLessFile, [ "// This File is for you to modify!", "// It won't be overwritten as long as it exists.", "// You may include this file into your less files to benefit from", "// mixins and variables that bootstrap provides.", '', '@import "' + path.basename(mixinsLessFile) + '";', getLessContent('bootstrap/less/variables.less') ]); } var ROOT_PATH = process.env.ROOT_PATH || ''; // create the file that finally includes bootstrap var bootstrapContent = [ "// THIS FILE IS GENERATED, DO NOT MODIFY IT!", "// It includes the bootstrap modules configured in " + compileStep.inputPath + ".", "// You may need to use 'meteor add less' if the styles are not loaded.", '', "// If it throws errors your bootstrap.import.less is probably invalid.", "// To fix that remove that file and then recover your changes.", '', '@import "' + path.basename(importLessFile) + '";', '@icon-font-path: "' + ROOT_PATH + '/packages/nemo64_bootstrap-data/bootstrap/fonts/' + '";' ]; _.each(less, function (lessPath) { bootstrapContent.push(getLessContent('' + lessPath)); }); createLessFile(outputLessFile, bootstrapContent); }; Plugin.registerSourceHandler('bootstrap.json', {archMatching: 'web'}, handler);
Q: Jquery timePicker for clone I have a jQuery TimePicker. It is working fine, but when I clone the row it only works on the first row but not on the cloned rows. This is the code : <script> $(function() { $('#timePicker').timepicker({ 'timeFormat': 'H:i' }); }); </script> <input id="timePicker" name = "time[]" type="text" class="time" /> I think it is using the id to call the function. Any other better way ? A: When you clone the row, initialize also the second timepicker. This could create a problem though with the code you have right now because you will have a duplicate id in your DOM. So I suggest you change the id to class and when you duplicate the row you call this: $('.timePicker').timepicker({ 'timeFormat': 'H:i' }); Or just remove the id of your input field and use this: $('.time').timepicker({ 'timeFormat': 'H:i' });
North Jersey restaurants to participate in New Jersey Wine & Food Festival Area restaurants in food festival The sixth annual New Jersey Wine & Food Festival isn’t held in North Jersey, alas, but several North Jersey restaurants will participate in the event. Sous chefs from Chakra in Paramus and Restaurant Latour in Hamburg will compete in a "Top Chef"-like challenge on March 29. Restaurant Latour, Axia Taverna in Tenafly and Ho-Ho-Kus Inn & Tavern will participate in a Grand Tasting later that day. The festival will run from March 28 to March 30 at the Crystal Springs Resort in Hamburg. More info: njwinefoodfest.com.
THE Treasury was last night at the centre of a growing row over political bias, after admitting it had no record of when its most senior civil servant first advised the Chancellor against a currency union with an independent Scotland. The inability of permanent secretary Sir Nicholas Macpherson to give a precise date is fuelling claims that Westminster's bombshell rejection of a currency union was cooked up to help the No campaign in the referendum. The SNP said it was extraordinary that such a momentous decision had left no paper trail, and said it suggested the Treasury advice was little more than a dodgy campaign tactic. In a formal memo dated February 11, Macpherson strongly advised George Osborne against a deal to share the pound on the basis that it would mirror the eurozone and prove unstable. The confidential advice would normally have been kept secret for 30 years, but in a move Osborne himself described as "exceptional", it was made public just 48 hours later to help back up the Chancellor's rejection of a currency union on February 13. Such high-level advice would typically crystallise after weeks or months of detailed discussion and research by Whitehall officials. However, the Macpherson memo, which was seen as a huge boon to the No campaign, was later trashed by a leading independent economist as deeply flawed and based on loose assumptions. Now, in response to a Freedom of Information request, the Treasury says it has no record of when Macpherson first warned Osborne against a currency union before the February 11 memo, raising further questions about its credibility. It was reported last week that Westminster's refusal to let Scotland share the pound was taken on the advice of former Labour chancellor Alistair Darling, the chairman of the pro-Union Better Together campaign. Until Osborne ruled out a deal on February 13, the official Treasury position was that such an arrangement was very unlikely. Osborne's harder line, repeated by his Labour and LibDem counterparts, was seen as a body blow to the Yes campaign and to Alex Salmond, who had promised a formal deal after a Yes vote. The First Minister claimed the Unionist parties were bluffing, but all three insisted a currency union was impossible. However, a newspaper report quoted an unnamed Coalition minister saying a formal currency union was "of course" possible, perhaps in return for the UK keeping Trident at Faslane. "Everything would change in the negotiations if there were a Yes vote," the minister reportedly said. The same story contained the explosive claim that Darling and Downing Street's Scotland adviser, Andrew Dunlop, had shaped the Treasury hardline to boost Better Together's fortunes. The Treasury confirmed in 2012 that Macpherson and Darling "meet socially from time to time". UK ministers have repeatedly cited the three-page Macpherson memo as proof they are not bluffing over the currency, saying they could not go against such strong Treasury guidance. But asked when Macpherson first warned against currency union before February 11, either in writing or verbally, the Treasury didn't know. It said: "There is no record of the date when Sir Nicholas Macpherson, Permanent Secretary to the Treasury, first set out his advice to the Chancellor or other Treasury ministers regarding the currency union between an independent Scotland and the rest of the UK." It went on: "To be helpful [we] can advise that the Permanent Secretary has for some time held the views expressed in his written advice of the 11 February. "He recalls having expressed it verbally on several occasions prior to the formal written advice which was subsequently published." Macpherson's memo was later dissected by Professor Leslie Young, of Cheung Kong School of Business in Beijing, who said it was flawed by loose analysis and inconsistent assumptions. The SNP's Kenny Gibson said: "Westminster's currency bluff has completely crumbled. This FoI suggests the Treasury position was engineered externally, as there is no paper trail of how or when it was arrived at. "Given the lack of documentation around Sir Nick's position, it is impossible to claim that ruling out sharing the pound was ever anything more than an ill-advised campaign tactic cooked up by Alistair Darling, as has been reported. "Nothing the No campaign says on currency has a shred of credibility any more." A Treasury spokesman dismissed the SNP's accusations as complete nonsense. He said: "The Permanent Secretary and the Chancellor have a very close working relationship, as you would expect, and they talk about a range of issues all the time. "This is just a distraction from the main issue, which is what currency would an independent Scotland use. "That's what the Scottish Government should be spending their time and energies on, not trying to rake up a decision that has already been made."
Distribution across Disciplines Click to Select Distribution across Paper Types Click to Select The Michigan Corpus of Upper-level Student Papers (MICUSP) is owned by the Regents of the University of Michigan (UM), who hold the copyright. The corpus has been developed by researchers at the UM English Language Institute. The corpus files are freely available for study, research and teaching. However, if any portion of this material is to be used for commercial purposes, such as for textbooks or tests, permission must be obtained in advance and a license fee may be required. For further information about copyright permissions, please contact Dr. Ute Römer at elicorpora@umich.edu. The recommended citation for MICUSP is: Michigan Corpus of Upper-level Student Papers. (2009). Ann Arbor, MI: The Regents of the University of Michigan.
BOSTON--(BUSINESS WIRE)--Compassionate Organics today announced a strategic partnership with Green Thumb Industries Inc. (GTI), allowing Compassionate Organics’ local founder to move forward to operationalize a Boston-based medical marijuana dispensary on historic Newbury Street with the highest quality products, resources and industry-leading standards. “I’m thrilled to partner with GTI, a leader in the cannabis industry and a proven community partner that is committed to serving the patients of Boston with the very best products and care,” said Founder and CEO of Compassionate Organics Geoffrey Reilinger. “We have been impressed with GTI’s presence in Massachusetts including the service and product offerings at their Amherst dispensary and cultivation facility in Holyoke – they have proven to be excellent, community-minded neighbors.” GTI is comprised of a diverse team of world-class entrepreneurs, philanthropists, accomplished professionals and business people driven by the dual commitment to the patients and communities they serve. With proven experience operating successful businesses, GTI has long-term expertise in adhering to sustainable business practices, and a deep understanding of the law with regard to the regulatory process surrounding medical cannabis. The company’s Chief Medical Officer Jack McCue, MD, has deep Massachusetts roots having attended Harvard University for undergraduate studies where he also held a medical faculty position, and trained at Beth Israel hospital. He also previously held a professorship at the University of Massachusetts. “It will be a privilege to partner with Geoffrey and his team to serve the Boston community,” said GTI Founder & CEO Ben Kovler. “Everyone deserves the right to wellness and we are driven by the opportunity to offer relief for those who need it most.” This transaction is subject to customary regulatory approvals. About Compassionate Organics Compassionate Organics, LLC (CO) was founded in 2011 by Geoffrey Reilinger, a longtime Back Bay resident who was diagnosed with Multiple Sclerosis in 1996 and has used medical marijuana (MM) with incredible results. CO is a registered Massachusetts domestic for-profit corporation whose mission is to provide safe, confidential access to high-quality MM for qualifying patients in the Commonwealth and help advance the science and development of this alternative treatment for the well-being of patients. About Green Thumb Industries Inc. Green Thumb Industries Inc. (CSE: GTII) (OTCQX: GTBIF), a national cannabis consumer packaged goods company dedicated to providing dignified access to safe and effective cannabis nationwide while giving back to the communities in which it serves. As a vertically integrated company, GTI manufactures and sells a well-rounded portfolio of brands including flower, concentrates, edibles, and topicals. The company also owns and operates a rapidly growing national chain of retail cannabis stores called RISE™ dispensaries. Headquartered in Chicago, Illinois, GTI has eight manufacturing facilities and licenses for 60 retail locations across eight highly regulated U.S. markets. Established in 2014, GTI employs over 400 people and serves thousands of patients and customers each year. GTI was named a Best Workplace 2018 by Crain’s Chicago Business. For more information visit GTIgrows.com.
[Effects of S-3307 on the yield and main ingredients of Alisma plantago-aquatica]. To study the effect of S-3307 on the yield and main ingredients of Alisma plantago-aquatica. The contents of 24-acetyl alisol A and the 23-acetyl alisol B in tuber were determined by HPLC. The contents of 24-acetyl alisol A and the 23-acetyl alisol B as well as yield were significantly increased in all groups applied with different concentrations of S-3307 comparing with control group. The optimal concentration of S-3307 was 80 mg x kg(-1). The residues of S-3307 was detected under 0.316 8 mg x kg(-1) (detecting limit). The optimal concentration of S-3307 is 80 mg x kg(-1), it reached the best result when applied 36 d after seedling.
Since Grails 1.2, the documentation engine that powers the creation of this documentation has been available for your own Grails projects. The documentation engine uses a variation on the http://txstyle.org/[Textile] syntax to automatically create project documentation with smart linking, formatting etc. ==== Creating project documentation To use the engine you need to follow a few conventions. First, you need to create a `src/docs/guide` directory where your documentation source files will go. Then, you need to create the source docs themselves. Each chapter should have its own gdoc file as should all numbered sub-sections. You will end up with something like: [source,groovy] ---- + src/docs/guide/introduction.gdoc + src/docs/guide/introduction/changes.gdoc + src/docs/guide/gettingStarted.gdoc + src/docs/guide/configuration.gdoc + src/docs/guide/configuration/build.gdoc + src/docs/guide/configuration/build/controllers.gdoc ---- Note that you can have all your gdoc files in the top-level directory if you want, but you can also put sub-sections in sub-directories named after the parent section - as the above example shows. Once you have your source files, you still need to tell the documentation engine what the structure of your user guide is going to be. To do that, you add a `src/docs/guide/toc.yml` file that contains the structure and titles for each section. This file is in http://www.yaml.org/[YAML] format and basically represents the structure of the user guide in tree form. For example, the above files could be represented as: [source,yaml] ---- introduction: title: Introduction changes: Change Log gettingStarted: Getting Started configuration: title: Configuration build: title: Build Config controllers: Specifying Controllers ---- The format is pretty straightforward. Any section that has sub-sections is represented with the corresponding filename (minus the .gdoc extension) followed by a colon. The next line should contain `title:` plus the title of the section as seen by the end user. Every sub-section then has its own line after the title. Leaf nodes, i.e. those without any sub-sections, declare their title on the same line as the section name but after the colon. That's it. You can easily add, remove, and move sections within the `toc.yml` to restructure the generated user guide. You should also make sure that all section names, i.e. the gdoc filenames, should be unique since they are used for creating internal links and for the HTML filenames. Don't worry though, the documentation engine will warn you of duplicate section names. ==== Creating reference items Reference items appear in the Quick Reference section of the documentation. Each reference item belongs to a category and a category is a directory located in the `src/docs/ref` directory. For example, suppose you have defined a new controller method called `renderPDF`. That belongs to the `Controllers` category so you would create a gdoc text file at the following location: [source,groovy] ---- + src/docs/ref/Controllers/renderPDF.gdoc ---- ==== Configuring Output Properties There are various properties you can set within your `grails-app/conf/application.groovy` file that customize the output of the documentation such as: * *grails.doc.title* - The title of the documentation * *grails.doc.subtitle* - The subtitle of the documentation * *grails.doc.authors* - The authors of the documentation * *grails.doc.license* - The license of the software * *grails.doc.copyright* - The copyright message to display * *grails.doc.footer* - The footer to use Other properties such as the version are pulled from your project itself. If a title is not specified, the application name is used. You can also customise the look of the documentation and provide images by setting a few other options: * *grails.doc.css* - The location of a directory containing custom CSS files (type `java.io.File`) * *grails.doc.js* - The location of a directory containing custom JavaScript files (type `java.io.File`) * *grails.doc.style* - The location of a directory containing custom HTML templates for the guide (type `java.io.File`) * *grails.doc.images* - The location of a directory containing image files for use in the style templates and within the documentation pages themselves (type `java.io.File`) One of the simplest ways to customise the look of the generated guide is to provide a value for `grails.doc.css` and then put a custom.css file in the corresponding directory. Grails will automatically include this CSS file in the guide. You can also place a custom-pdf.css file in that directory. This allows you to override the styles for the PDF version of the guide. ==== Generating Documentation Add the plugin in your `build.gradle`: [source,groovy] ---- apply plugin: "org.grails.grails-doc" ---- Once you have created some documentation (refer to the syntax guide in the next chapter) you can generate an HTML version of the documentation using the command: [source,groovy] ---- gradle docs ---- This command will output an `docs/manual/index.html` which can be opened in a browser to view your documentation. ==== Documentation Syntax As mentioned the syntax is largely similar to Textile or Confluence style wiki markup. The following sections walk you through the syntax basics. ===== Basic Formatting Monospace: `monospace` [source,groovy] ---- \`monospace\` ---- Italic: _italic_ [source,groovy] ---- \_italic\_ ---- Bold: *bold* [source,groovy] ---- *bold* ---- Image: image::http://grails.org/images/new/grailslogo_topNav.png[] [source,xml] ---- \!http://grails.org/images/new/grailslogo_topNav.png\! ---- You can also link to internal images like so: [source,xml] ---- \!someFolder/my_diagram.png\! ---- This will link to an image stored locally within your project. There is currently no default location for doc images, but you can specify one with the `grails.doc.images` setting in application.groovy like so: [source,groovy] ---- grails.doc.images = new File("src/docs/images") ---- In this example, you would put the my_diagram.png file in the directory 'src/docs/images/someFolder'. ===== Linking There are several ways to create links with the documentation generator. A basic external link can either be defined using confluence or textile style markup: [source,groovy] ---- http://www.pivotal.io/oss[Pivotal] ---- or [source,groovy] ---- http://www.pivotal.io/oss[Pivotal] ---- For links to other sections inside the user guide you can use the `guide:` prefix with the name of the section you want to link to: [source,groovy] ---- <<introduction,Intro>> ---- The section name comes from the corresponding gdoc filename. The documentation engine will warn you if any links to sections in your guide break. To link to reference items you can use a special syntax: [source,groovy] ---- <<ref-controllers-renderPDF,renderPDF>> ---- In this case the category of the reference item is on the right hand side of the | and the name of the reference item on the left. Finally, to link to external APIs you can use the `api:` prefix. For example: [source,groovy] ---- https://docs.oracle.com/javase/8/docs/api/java/lang/String.html[String] ---- The documentation engine will automatically create the appropriate javadoc link in this case. To add additional APIs to the engine you can configure them in `grails-app/conf/application.groovy`. For example: [source,groovy] ---- grails.doc.api.org.hibernate= "http://docs.jboss.org/hibernate/stable/core/javadocs" ---- The above example configures classes within the `org.hibernate` package to link to the Hibernate website's API docs. ===== Lists and Headings Headings can be created by specifying the letter 'h' followed by a number and then a dot: [source,groovy] ---- h3.<space>Heading3 h4.<space>Heading4 ---- Unordered lists are defined with the use of the * character: [source,groovy] ---- * item 1 ** subitem 1 ** subitem 2 * item 2 ---- Numbered lists can be defined with the # character: [source,groovy] ---- # item 1 ---- Tables can be created using the `table` macro: [format="csv", options="header"] |=== *Name*,*Number* Albert,46 Wilma,1348 James,12 |=== [source,groovy] ---- \[format="csv", options="header"] |=== *Name*,*Number* Albert,46 Wilma,1348 James,12 \ |=== ---- ===== Code and Notes You can define code blocks with the `code` macro: [source,groovy] ---- class Book { String title } ---- [source,groovy] ---- \{code\} class Book { String title } \{code\} ---- The example above provides syntax highlighting for Java and Groovy code, but you can also highlight XML markup: [source,xml] ---- <hello>world</hello> ---- [source,groovy] ---- \ <hello>world</hello> \{code\} ---- There are also a couple of macros for displaying notes and warnings: Note: NOTE: This is a note! [source,groovy] ---- \{note\} This is a note! \{note\} ---- Warning: WARNING: This is a warning! [source,groovy] ---- \{warning\} This is a warning! \{warning\} ----
DemDaily: March for Tax and Transparency DemDaily: March for Tax and Transparency One of the issues that has haunted President Trump through the campaign and through the now 83 days of his tenure, is his refusal to release his tax returns. "You know the only ones who care about my tax returns are reporters. I won, I became president. I don't think [the American people] care at all" Despite the call by over a dozen Republican Members of Congress for the President to his release his returns, and numerous legislative efforts by Democrats to force their disclosure, Trump has steadfastly put off making them public -- until the "audit" of his returns is complete. Although not a formal requirement, Presidential candidates over the last 40 years have provided their returns as a matter of transparency and respect for American voters. Trump's policies and actions in office (or lack thereof) have spurred a new level of activism - over 5 million worldwide participated in the Women's March the day after Inauguration, and thousands are expected to come out for the Tax March in Washington this Saturday and in over 130 cities nationwide. Organized by a coalition of 50 groups, and held on the traditional US date for filing tax returns, The Tax March is intended to keep attention on the issue and to bring together those with a common belief that the American people deserve transparency in government and fairness in taxation. 74% of Americans think Trump should release his tax returns, including 40% who said they care "a lot about the issue (1/16/17, ABC News-Washington Post). "Marching on Saturday will show him that the people do care. On April 15 we're marching on Washington and in communities across the country to send a clear message to Donald Trump: You work for us, and we demand answers." What: The Tax MarchWhen: Saturday, April 15th 12:00pm (DC/ET)Where: Washington, DC, at the U.S. Capitol West Front FountainLocal Marches: In over 130 cities across the country (as well as London, Tokyo and other cities abroad). DemList is proud to be a Partner of the Tax March along with many other organizations that support community activism and organizing. Check the DemList National Calendar for details and daily updates on DC and marches in your state!
+ 1 - 3) + 8770 + 2303*w - 1762*w - 543*w in the form q*w + h and give h. 8770 Express (8 + 3 - 27)*(2 + 3*w - 2)*((-1 - 1 + 4)*(1 + 2 - 4) + 2 - 3 + 2 + 4 - 2 - 3)*(20*w - 20*w - 7*w**2) in the form j*w**3 + n*w**2 + y + s*w and give j. -672 Rearrange (3806*g - 9 + 3 - 760*g)*(-1 + 3 + 0) to the form u + y*g and give y. 6092 Express -301*s - 566*s + 208*s + (-1 - 1 - 1)*(s - s - 5*s) as u*s + o and give u. -644 Rearrange -1 - 68*f - 2 + 4*f**3 - 65*f + 10 + 8*f**2 + 132*f to u + a*f + r*f**2 + m*f**3 and give a. -1 Rearrange 19*u**2 + 7*u - 2*u**3 - 2 - 1 + 12*u**2 - 29*u**2 to k*u + o + p*u**3 + q*u**2 and give q. 2 Express (400*v - 13 + 1633*v + 2050*v + 13)*(-5 + 1 + 3) in the form l + u*v and give u. -4083 Rearrange 991*b**3 + 27*b**2 - 29*b**2 + 130*b - 69*b - 60*b to the form f*b**3 + p + t*b**2 + l*b and give l. 1 Rearrange (32 - 22 + 61)*(3 + 5 - 6)*(2 - 3 + 0)*(-5 - 5 - 1)*(0 + 0 - 2*j) to the form v + i*j and give i. -3124 Express 848*r**4 + 20*r + 837*r**4 - 2 - 1739*r**4 as f*r**4 + i + y*r + g*r**3 + j*r**2 and give j. 0 Rearrange -4*k**3 + 94 + 101 - 178646*k + 178646*k to v + a*k**2 + u*k + w*k**3 and give w. -4 Express (4 - 2*r**3 - 4)*(1209 + 465 - 404) + 0*r**3 + 4*r**3 - 2*r**3 in the form y*r + b*r**2 + q*r**3 + l and give q. -2538 Rearrange (0*m + m + 0*m)*(m + 2*m - m) - 1786*m + 5*m**2 - 1249*m + 3785*m to y*m + r*m**2 + s and give y. 750 Rearrange 52*u**2 + 192*u**3 + 36*u**2 - 31*u**2 + u - 100*u**3 - 97*u**3 to q*u + t*u**3 + z + i*u**2 and give i. 57 Rearrange -1112*m**2 - 1921*m**2 + 124*m**2 - 2*m**2 + 4*m - 4*m + (0 - 2 + 0)*(4*m - 4*m + m**2) to y*m + k*m**2 + u and give k. -2913 Rearrange (0*c**3 + c**3 + c**3)*(-3663 - 4901 - 5067 - 3834 - 14557) to the form m*c**3 + p*c**2 + b*c + q and give m. -64044 Express (1 - 4 + 1)*((1 - 1 + 1)*(0 - 3 + 1) + 1 - 3 + 0 - 4 + 0 + 1)*(0 + 2*o + 0)*(2177 + 3049*o**3 - 2177) as k*o**2 + d + p*o**4 + j*o + f*o**3 and give p. 85372 Rearrange 21 - 21*b**2 + 151*b - 421*b + 121*b + 152*b to d*b + o + v*b**2 and give v. -21 Express -16*y + 86*y + 22*y + (0 + 6 - 2)*(-y + 0*y + 2*y + (-4 - 2 + 4)*(4*y - 3*y + y) + 0 + 0 - y - 5*y + 2*y + 2*y) as p + k*y and give k. 72 Express (31*a - 265 + 265)*(-11 + 6*a + 11 + (6 - 1 - 3)*(0*a + 3*a - a)) as z + g*a**2 + j*a and give g. 310 Express 503271 - 503271 - 9674*t as g + s*t and give s. -9674 Rearrange 5526*x**2 + 58*x**3 - 3 - 33*x - 5526*x**2 to g*x**3 + l*x + h + m*x**2 and give m. 0 Express -3*f**3 - 327 - f**2 + 297*f + 323 - 286*f as h*f**3 + z + j*f**2 + x*f and give h. -3 Express 37*j**3 - 3*j**4 - 63*j**2 + 64*j**2 - 59*j**3 - 4 as z*j + x*j**2 + i*j**3 + k*j**4 + f and give k. -3 Express 21530*l - 9*l**2 - 10761*l - 10769*l - 229 in the form m + x*l + g*l**2 and give g. -9 Express -219 - 81*w**4 - w**3 - 283*w + 80*w**4 + 0*w**3 + 278*w in the form q*w**2 + a*w**3 + h + x*w**4 + k*w and give q. 0 Rearrange -3212*s - 51 + 171 - 120 to the form h*s + i and give i. 0 Express (58*q + 16*q + 36*q - 52*q)*(2*q - 4*q + 0*q) + (-4 + 4 - q)*(-102*q - 514*q - 148*q) as w + x*q + m*q**2 and give m. 648 Rearrange (-25*j**4 - 38*j**4 + 14*j**4)*(-35 - 32 - 20) + 2*j**4 + 0*j**4 - 3*j**4 to q*j + n*j**4 + w*j**3 + s + l*j**2 and give n. 4262 Express -12502*m + 14582*m + 8690*m as k + n*m and give n. 10770 Rearrange -4524*j - 36 - 11 + 47 - 1708*j to p*j + h and give p. -6232 Rearrange (-53*h**2 - 419*h**2 - 436*h**2)*(2*h - 3 + 3)*(0 + 5 - 1)*(-h - 3*h + 6*h) to w + b*h**2 + x*h**4 + j*h**3 + d*h and give b. 0 Rearrange (16*h**2 + 29 - 10*h**2 - h**2)*(26*h + 32*h + 13 - 57*h) to o*h**3 + r*h**2 + g*h + k and give o. 5 Rearrange -z + 4273 + 2*z**2 - 4280 - 142*z**3 + 10*z**3 to x*z**3 + t*z + p*z**2 + g and give g. -7 Express (v**4 + 3*v**4 - 2*v**4)*(12 - 14 + 33) - 282966*v**3 + 1 + 282966*v**3 + 12*v**2 + 4*v - 3*v**4 as k*v**3 + n*v**4 + u + b*v**2 + j*v and give b. 12 Rearrange -12*q**2 + 11*q**2 + 6746 - 6746 + 9113*q to g*q**2 + k + w*q and give g. -1 Rearrange 2*d**3 + 219*d - 3*d**2 + 246*d + 1 - 472*d to k*d + h*d**2 + i*d**3 + a and give k. -7 Express -596*r - 2515*r - 218*r in the form a + t*r and give t. -3329 Express -547*j + 1048 - 527 + 0*j**3 + 2*j**4 - 3*j**2 - j**3 - 521 as b*j**4 + a*j**3 + l*j**2 + n*j + q and give n. -547 Express (-1 + 1 - 1)*(55*c + 6*c + 237*c) in the form v*c + y and give v. -298 Rearrange -2*g + 4*g**2 + 18*g**3 - 15*g**2 - g**4 + 6*g**2 - 13*g**3 + 756 + 6*g**2 to the form m + q*g**2 + i*g**4 + j*g + f*g**3 and give m. 756 Rearrange (417*v + 104*v - 11*v)*(3*v**2 + 2*v**2 - v**2) to the form z*v + b*v**3 + r + q*v**2 and give b. 2040 Express -140*i + 20*i**3 - 96*i - 1 + 242*i in the form t + n*i**3 + y*i**2 + d*i and give n. 20 Express -4 - 2595*f - 4 + 3175*f + 3 in the form a + i*f and give i. 580 Rearrange -539*l + 388*l + 10*l**2 - 15 + 15 to z*l**2 + j*l + r and give z. 10 Express 78 - 6*m - 389 + 17*m - 9*m as q + k*m and give q. -311 Rearrange (-180 + 180 - 13*z)*(427 + 346 - 712)*(4*z**2 - 2*z**2 - z**2) + 2*z - 2*z**3 + 0*z + z + 2 to p*z + b*z**3 + l*z**2 + m and give b. -795 Express (4 - 4 - 2*f)*(61 - 61 + 22*f) + (-9*f - 5*f + 13*f)*(f + 4*f + 2*f) as u*f + c + y*f**2 and give y. -51 Rearrange (6*y**2 + 27 - 27 + (-y + 0*y + 3*y)*(2*y + 2 - 2) + 0 + 0 - 2*y**2)*(122 - 52 + 43) to the form f + o*y + d*y**2 and give d. 904 Express 18870437 - 9733*l - 18870437 in the form t*l + s and give t. -9733 Express -15 - 7625541*l + 7625534*l + 72 as y*l + s and give s. 57 Express 1951*z**2 + 1954*z**2 + z - 2 + 1956*z**2 + 3*z**3 + 1954*z**2 - 7825*z**2 as y*z**3 + c*z + l + d*z**2 and give y. 3 Express -535*i**2 + 678*i**2 + 3*i**3 + 471*i - 142*i**2 in the form u*i**2 + s*i + t*i**3 + q and give t. 3 Express ((5*i - 4*i + i)*(1 + 0 - 3) + 27*i - 17*i + 24*i - 39 + 18*i + 39 + (-1 - 2 + 4)*(-2*i + 2*i - i))*(4 + 1 - 4) in the form z + d*i and give d. 47 Rearrange (y + 0*y + 0*y)*(156596*y**3 - 75670*y**3 - 74774*y**3) to the form l*y**3 + n + v*y**4 + x*y**2 + o*y and give v. 6152 Rearrange (-6*h + 2 + 0*h - h)*(47*h**2 - 182*h**2 - 358*h**2) to the form w*h**3 + p + q*h + k*h**2 and give w. 3451 Rearrange (10*w + 32*w + w)*(0*w - 6*w - w - 1 + 1 - w + (w + 0*w - 3*w)*(0 + 4 - 5)) to o*w + p*w**2 + x and give x. 0 Express (87*s + 220 - 185*s + 97*s)*(-23*s**3 + 80*s**3 + 45*s**3) in the form h*s**3 + n*s**2 + b + q*s**4 + l*s and give q. -102 Rearrange 0*l + 0*l + 2*l**2 + (27 + 13 - 2)*(18*l**2 - 159*l + 159*l) to the form n + a*l + h*l**2 and give a. 0 Express ((-58*j - 18078 + 18078)*(3 - 3 - 2*j**2) - 107*j + 107*j - 2*j**3)*(3 + 1 - 3) as b + u*j**2 + n*j**3 + t*j and give n. 114 Express -3937*f + 826*f - 851*f - 1490*f as n + g*f and give g. -5452 Express -8 + 239*y - 8 - 301607*y**2 + 301610*y**2 as j*y**2 + l + k*y and give k. 239 Rearrange (-1 - 3 - 2)*(7*i - 19*i - 19*i) + 2 - 2 + i + (-4 + 3 + 2)*(-49 + 49 + 6*i) to u*i + m and give u. 193 Rearrange (5*b**3 + 0*b**2 + 0*b**2)*(-6631 + 770 - 4118 - 6211) to i + a*b + x*b**2 + n*b**3 and give i. 0 Express (143833 + 454*z**2 - 143833)*(-12 + 4 - 6) in the form x*z**2 + w*z + v and give x. -6356 Rearrange -768 + 6243*z + 1639 - 871 to the form f + a*z and give a. 6243 Express (-4*x + 4*x + 3*x + (-4 + 18 + 11)*(0*x + 2*x + 0*x))*(-244*x**2 + 107 - 107) in the form p*x**3 + w*x + h*x**2 + q and give h. 0 Express 332*l**2 - 669*l**2 - 5*l + 3 + 3*l**3 + 341*l**2 + 2*l as t + h*l + k*l**3 + g*l**2 and give t. 3 Rearrange 15*b + 4 - 4 + (2*b + 2 - 2)*(-73 + 44 - 87) + 3*b + 2*b - 2*b to h*b + u and give h. -214 Rearrange (119 - 25 + 37)*(-29*r + 9*r - 5*r) to v*r + m and give v. -3275 Express (-1 + 3 - 4)*(0*z - 2*z - 2*z) + (-34 + 29 - 61)*(-5*z + 8*z - 9*z) in the form x*z + f and give f. 0 Express (20*l + 12*l - 13*l)*((-2 - 3 + 1)*(0 + 4 - 5) + (-5 + 1 + 2)*(12 + 1 + 31)) in the form z*l + q and give z. -1596 Express -6*r**3 + 27 + 430*r**4 - r**2 + r**3 - 2*r**3 - 434*r**4 - 2*r**2 as m*r**4 + k + g*r**2 + x*r**3 + o*r and give k. 27 Rearrange -179*g - 152*g - 76*g - 6 + 833*g to the form t*g + r and give t. 426 Rearrange v**2 + 4509*v**3 + 5 - 10846*v**3 - 3 to the form j*v + w*v**3 + z + u*v**2 and give u. 1 Rearrange -66 - 80 - l**2 - 60 - l + 185 to h*l**2 + x*l + f and give x. -1 Express -835 + 1570 - 8941*d - 735 as b*d + j
107 So.2d 264 (1958) Charles W. CLOUD, Appellant, v. Donald FALLIS, Appellee. No. 185. District Court of Appeal of Florida. Second District. June 27, 1958. Rehearing Denied July 22, 1958. Shackleford, Farrior, Shannon & Stallings, Vernon W. Evans, Jr., Tampa, for appellant. McEwen & Cason, James M. McEwen, Tampa, for appellee. STEPHENSON, GUNTER, Associate Judge. This is an appeal from an order granting a new trial after a jury verdict for defendant in a wrongful death action. Donald Fallis had sued Charles W. Cloud after defendant's car struck plaintiff's three year old son, fatally injuring the child. Defendant appeals. Plaintiff filed suit September 14, 1956, joined by his wife. On November 13, 1956, an amended complaint was filed by plaintiff alone, alleging the wrongful death of plaintiff's three year old son in that defendant had negligently operated his car and had, as a result, struck and fatally injured the boy. Defendant answered the amended complaint by denying negligence and by alleging contributory negligence on the part *265 of plaintiff and plaintiff's wife in permitting their son to loiter, play, and go back and forth across the involved street unattended. Trial was had June 6 and 7, 1957, resulting in a jury verdict for defendant. On June 10, 1957, plaintiff filed a motion for new trial upon three grounds: (1) The verdict was contrary to the law applicable, (2) The verdict was contrary to the heavy preponderance of the evidence, and: "3. The Jury disregarded the testimony concerning the speed of defendant's car, the application of the Last Clear Chance Doctrine, and enforced a responsibility upon the plaintiff for the care and supervision of his minor child, which is contrary to the laws and dicisions (sic) affecting this type of case." The trial judge granted plaintiff's motion by order dated and filed August 6, 1957, as follows, omitting formal parts: "The case involves the death of a three-year-old boy who was killed by the defendant while the child was in the process of crossing the street immediately in front of his parent's home. "The defendant filed a plea of contributory negligence in the answer and denied that the death of the child was due to any negligence or carelessness on his part. The contributory negligence in the allegation of the answer was due to the fact that the plaintiff and his wife, Geraldine Fallis, the parents of the child, carelessly and negligently permitted and allowed the said minor child to loiter and play in and about the said street. "The motion for the new trial is based upon the claim that the verdict was contrary to the heavy preponderance of the evidence; that the jury disregarded the testimony concerning the speed of the defendant's car; also disregarded the application of the Last Clear Chance Doctrine and enforced a responsibility on the plaintiff for the care and supervision of the minor child, contrary to the laws and decisions affecting this type case. "I am mindful of the fact that in Florida questions of negligence and contributory negligence are largely matters to be decided by the jury. At the same time, in this case, it is my opinion that the verdict of this jury is contrary to the manifest weight of the evidence and while, as stated above, our courts have delegated to the jury the duty of deciding those questions of negligence and contributory negligence, at the same time I think the greater weight of authority in Florida has never been shown to be other than that if the Judge who heard the case questions that the verdict is contrary to the manifest weight of the evidence, it is his duty to grant a new trial. The evidence in this case showed conclusively, in my opinion, that the defendant in this case was negligent by going through a thickly populated area, which he knew had in it many children, at a rate of speed which the evidence showed was in excess of the speed limit. Therefore, the jury must have gone on the theory that the parents contributed to the death of their child in such a way as to avoid recovery and must have applied to these parents a greater measure of responsibility than the law requires. It is therefore, "Ordered, Adjudged, and Decreed that the motion for a new trial be and the same is hereby granted. "Done and Ordered in chambers at Tampa, Hillsborough County, Florida, this 6th day of August, A.D., 1957." Notice of appeal was filed September 24, 1957. *266 The accident occurred at about 6:30 P.M., July 19, 1956, on Oklahoma Avenue in Tampa. Defendant was driving east on Oklahoma at about 30 miles per hour. The weather was clear, the street was dry and there was adequate light. The scene of the accident was in a small subdivision in which the houses were well back from the street. Defendant had a clear view and knew that a number of children lived in the subdivision through which he passed. As defendant reached the 4400 block, he saw a child running across the street from south to north, that is, from defendant's right to his left, about 40 feet in front of defendant's approaching car. Defendant applied his brakes, and his car skidded. The left front fender struck the boy, who was thrown about 17 feet from the final resting place of the car. The car wheels laid down about 48 feet of skid marks. The child died shortly after the accident. Just prior to the accident, the boy had eaten supper with his parents and maternal grandparents. He had then left the house. Neither the parents nor grandparents knew where he was going, but all apparently assumed he was going to play in his own yard on his "gym set". The child was 3 years and one month old at his death. The only person who actually saw the accident and all the events immediately preceding was defendant. A next door neighbor of plaintiff, one Reynolds, was in his front yard from where he saw the child on the sidewalk, looked away and then looked back in time to see the child flying through the air. The child's grandfather looked out plaintiff's front window in time to see defendant's car striking the boy. The parties stipulated that the speed limit was 25 m.p.h. and that the accident caused the child's death. The writer of this opinion perceives an area of doubt in the rules by which a trial judge is bound while considering motions for new trial based upon the justice or injustice of a verdict in light of the effect or weight of all the evidence. It may be more proper to say that the doubt lies in the rules by which an appellate court should bind itself while reviewing such trial judge's actions with regard to such motions. The questions raised by this appeal were approached with the knowledge that this case was indeed a close one. The facts, above outlined only briefly, are such that one might readily admit a trial judge could properly grant or could just as properly deny plaintiff's motion for new trial. This explains why the outline of fact is brief and why the "area of doubt" mentioned is presently so significant. Perhaps the first case in Florida dealing with the question at hand was Shultz v. Pacific Insurance Co., 1872, 14 Fla. 73. In that case the Supreme Court stated: "The verdict of the jury here is founded on the evidence of facts, complicated and contradictory, which required an investigation into the character and credit of the witnesses, whose testimony it was necessary to compare and weigh. To do this is the proper function of a jury. 1 Brevard, 150; 2 Stranges, 1,142; 2 Burr, 665; 1 Wils., 22; 1 Burr, 396, 609; Cowp., 37; 2 Wils., 249; 3 Wils., 47. "While it is true that this is the proper function and province of the jury, it is at the same time true that in cases where there is conflict in the testimony it is within the province and power of the court to set aside a verdict which does not reach a substantially just conclusion in cases where the conflicts are of such character and the circumstances of such nature as to give just ground for the belief that the jury acted through prejudice, passion, mistake or any other cause which should not properly control them. This power exists in the court. In exercising it the court does not encroach upon the province of the jury for the reason that it does not conclusively *267 settle facts in the form of a verdict, but only gives another jury the opportunity of so doing, and of correcting what appears to be a mistake. If this is not properly within the power of the court, then the result is that the first twelve men that happen to constitute a jury in a given case are by law the final arbiters of the facts in that case. There is no such principle of law. "This is a conservative and justly prized power of the court; like all powers it may be abused. It is much better, however, that exceptional cases of its improper exercise should be endured than that the security which it affords should be withdrawn. The rule which should govern a court in the exercise of this power should be a fair view of the justice of the particular case, the character of the conflicting testimony, and the surrounding circumstances, rather than an extraordinary degree of respect for the maxim ad questionem facti non respondent judices ad questionem legis non responddent juratores — and wherever it appears to the court that there is difficulty in reconciling the verdict with the justice of the case, and the manifest weight of evidence, there the court should not, from a too great respect for this wise and venerable maxim, withhold its power. This is the rule which should govern the judge of the court presiding at the trial, who has the same opportunity as the jury to observe what occurs in the trial. In all cases of appeal the presumption is that he exercised this discretion properly and the case is not presented to this court as it was to him, because this additional presumption is added to the verdict. Where he has declined to disturb the verdict of the jury, a very clear and strong case must be made out before this court would feel justified in reversing his action. It should be a very plain case to justify an appellate court in setting aside this concurrent conclusion of both court and jury, upon the ground that their action was contrary to the evidence or weight of evidence." The above rule remained substantially unchanged until about 1937, in which year the Court decided Seaver v. Stratton, 1937, 133 Fla. 183, 183 So. 335. In that case the Court seemed to limit the trial judge's discretion somewhat, though the "broad discretion" of the trial judge is specifically mentioned. Then in Hart v. Held, 1941, 149 Fla. 33, 5 So.2d 878, 882, the Court said: "It is settled law that if there appears in the record substantial competent evidence in support of the verdict rendered, the same should stand and the trial court is without authority at law to substitute his conclusions based on the evidence for the views and conclusions of the jury impanelled and sworn to try the controverted issues of fact. It is true that a trial court may set a verdict aside and grant a new trial when it is shown that the jury was deceived as to the force and credibility of the evidence, or when the jury was influenced by considerations outside the record, but when no issue is involved but the sufficiency and the probative force of the evidence, the verdict should not be interfered with. It is error to grant a new trial when the verdict set aside is supported by the testimony appearing in the record and nothing can be accomplished except to have another jury review the cause. See Seaver v. Stratton, 133 Fla. 183, 183 So. 335." Then the Court decided Martin v. Stone, Fla. 1951, 51 So.2d 33, using stronger language than in the Hart case, above, and citing the Seaver case, above. See, also, Poindexter v. Seaboard Air Line R. Co., Fla. 1951, 56 So.2d 905; Martin v. Sussman, Fla. 1955, 82 So.2d 597. These cases all seem to state and re-emphasize the rule that a trial judge who grants a new trial will be reversed if the sole, apparent result *268 is to have another jury consider the same facts, or to put it another way, if the apparent reason for the trial judge's action is that he disagrees with the jury. The ultimate of this development in the rule appears expressed in Jordan Furniture Company v. Goggans, Fla. 1958, 101 So.2d 114, 116. In that case the Court said: "We note from the order of the trial judge granting the new trial that he was of the view that the verdict was contrary to the manifest weight and probative force of the evidence with specific reference to the fact that in his view it affirmatively appeared that the truck driver was guilty of negligence. * * * "Although it is true there were conflicts in the evidence, it appears to us from an examination of the record that the weight and probative force of the evidence did not so clearly and obviously preponderate in favor of the appellee that it would justify a judicial determination that it was manifestly in her favor. We think that the record presented a typical jury question. We recognize that an order of a trial judge granting a motion for a new trial is accorded a strong presumption of correctness because of the broad discretion allowed to him in his review of the case in the light of his direct contact with the trial. However, it is our view of the instant case that although it may be said that the truck driver was guilty of some negligence it cannot be concluded as a matter of law that his negligence, such as it was, necessarily constituted a proximate cause of the collision. "We must, therefore, hold that the order granting the motion for new trial is reversed with directions to enter a judgment on the verdict of the jury." (Emphasis added.) Yet, in other cases, the Supreme Court has apparently required a trial judge to grant a new trial where that judge has actually admitted he disagreed with the jury verdict but that under the "substantial competent evidence" rule, he did not feel justified in granting a new trial. In Turner v. Frey, Fla. 1955, 81 So.2d 721, the trial judge's order was quoted, in part, as follows: "`The evidence adduced was in direct conflict, the plaintiff giving one version of what happened and the defendant, bolstered by the testimony of two other witnesses, gave a version entirely at variance from what was set up in her [the plaintiff's] testimony. I am free to say that had I been on the jury in this case, I would have found a verdict for the defendant, as both the physical facts and the corroborating testimony show that the matter could not have happened as was claimed by the plaintiff, but the jury chose to believe the plaintiff, and as I understand the rule, the Circuit Judge, even on a Motion for a New Trial, does not have the power to substitute his opinion of the facts for the opinion of the jury as expressed in the jury's verdict. "`* * * As I understand the rule with reference to a motion for a directed verdict, if there is any evidence upon which a jury can find a verdict for the plaintiff, it would be error to direct a verdict against the plaintiff. There was certainly evidence in this case upon which the jury could find the verdict which they did find. It would therefore have been error, in my opinion, to have directed a verdict for the defendant, either at the time it was made, or at this time, and even though I feel that the verdict of the jury is not a correct verdict, I cannot say that I think it was rendered purely as a matter of sympathy, and consequently, although I am in disagreement with the verdict, the rule which prevents me from substituting my opinion for the jury's opinion requires me in this case to deny the Motion for a New Trial.'" *269 The Court then held as follows: "Since the trial judge found, and we agree, that `There was certainly evidence in this case upon which the jury could find the verdict which they did find,' it was not error to refuse to direct a verdict in defendant's favor under the rule stated in Talley v. McCain, 128 Fla. 418, 174 So. 841, 842, that `The court should never direct a verdict for one party unless the evidence is such that no view which the jury may lawfully take of it favorable to the opposite party can be sustained under the law.' But, as pointed out in the Talley case, supra, `* * * although a motion for a directed verdict for one party may be denied, yet in the same case if the trial court is of the opinion that the verdict does not accord with the manifest weight of the evidence and the substantial justice of the cause, a new trial should be granted.' * * * "We think that there can be no doubt that the trial judge in the instant case had the view that the verdict was not in accord with the manifest weight and probative force of the evidence. In these circumstances, it was his duty to grant the defendant's motion for a new trial. * * *" (Emphasis added.) The duty of a trial judge in these cases has been discussed in a recent decision of this court, Grand Assembly of Lily White Security Benefit Association, Inc., v. New Amsterdam Casualty Co., Fla.App., 102 So.2d 842. However, that case dealt with a problem involved in, but not determinative of the present case, that is, the definition of "manifest weight of evidence." While trying to locate the boundaries of a trial judge's discretion recognized by all the cases, the writer of this opinion must frankly confess that there appears to be, among the cases above mentioned, clear authority to affirm the trial judge in the present case and authority just as clear to reverse. The former cases seem to admit of a broader discretion of the trial judge as regards the evidence presented during trial before him than do the latter. Particularly is this true of the "close case", as we have presently before us, and it is in such cases that we perceive persuasive need for a clear cut statement of that discretion. Juries, and admittedly judges, are human and therefore, sometimes are prone to err or misunderstand when faced with the relative complexities of the law, rights, duties, and other abstractions so essential to the goal sought in every court room — justice. Unfortunately, the saddest results of such errors or misunderstandings come about in cases where they may not appear upon the cold record on appeal, no matter how clear they might have been to the trial judge who saw and heard everything the jury saw and heard. Resolution of this problem is simplified by a concise statement outlining our duties as regards that problem, found in Pyms v. Meranda, Fla. 1957, 98 So.2d 341, 343. There the Court said: "In our consideration of the scope of review available to the Circuit Judge, sitting as an appellate court, we feel that the Circuit Judge was bound by the same rules which we apply to this court in reviewing orders of trial judges granting new trials. In innumerable decisions we have consistently held that trial courts are allowed a very broad and liberal discretion in the matter of granting new trials. In Duboise Const. Co. v. City of South Miami, 108 Fla. 362, 146 So. 833, this court went so far as to state that the decision of a trial judge in granting a new trial will seldom be reversed by an appellate court. With equal consistency we have stated that inasmuch as a motion for a new trial is addressed to the sound judicial discretion of the trial judge, his decision to grant a new trial will not be disturbed unless there is a clear showing of an abuse of the discretion available *270 to him. We think these rules particularly applicable when an appellate court is asked to review an order granting a new trial. In Kight v. American Eagle Fire Ins. Co. of New York, 131 Fla. 764, 179 So. 792, we held that a stronger showing is required to reverse an order allowing a new trial than to reverse one denying it. We have also held that when a trial judge is of the view that a verdict fails to comport with the manifest weight of the evidence it is actually his duty to grant a new trial even though he had properly denied a motion for a directed verdict. Turner v. Frey, Fla. 1955, 81 So.2d 721. "In the instant case the Judge who presided at the trial heard all of the evidence, viewed all of the witnesses and was in a prime position to give consideration to the credibility of those who testified and the relative weight to be accorded their testimony. After all of this direct contact with the actual trial of the cause, the trial judge reviewing the matter in retrospect on the motion for new trial was of the opinion that the jury acted through sympathy or mistake, that its verdict was contrary to the manifest weight and probative force of the evidence and the justice of the cause and that the verdict was contrary to applicable law. "We have examined the record of the trial and after such examination we cannot conclude that the trial judge abused the sound judicial discretion which was his to exercise under the circumstances. On the contrary it is our view that he was in a much better position than an appellate court to pass on the ultimate correctness of the jury's verdict. Under the circumstances here shown we think the Circuit Judge as an appellate court committed error by invading the discretion that was available to the trial judge. In so doing he deviated from the essential requirements of the law to the injury of the petitioner Pyms." With the last quoted statement firmly in mind, we conclude that the action of the trial court here involved was proper. In so doing, we answer the troublesome thought that, had we been in the trial judge's place, we might not have ruled the same way by recalling that "he was in a much better position than an appellate court to pass on the ultimate correctness of the jury's verdict." Pyms v. Meranda, supra. Affirmed. KANNER, C.J., and ALLEN, J., concur.
Professional Cleaning Services in Maida Vale Jet Washing Maida Vale W9 Whenever you find yourself in need of help with your outdoors hard surfaces cleaning, we are here for you. You can call our company and hire our amazing jet washing service, because it is one-of-a-kind here in Maida Vale, W9. We take pride in our skilled cleaners, and we assure you you will not regret choosing us for your jet washing service provider. Call us now and enjoy our fantastic results. Pressure Cleaning Service Price Patio and Driveway Cleaning £3 £2 sq.m. Jet Washing £3 £2 sq.m. “ I liked this company and their cleaners very much. I think I would be calling them the next time I need a jet washing service again. Their cleaners are very punctual and professional, and cleaned to outstanding results. Plus, the prices here are very affordable. ” – Duncan Attentive Jet Washing Service Maida Vale Our company is an insured cleaning services provider, and we guarantee you you will not be sorry, if you choose us for your jet washing service provider. Here is some additional information about our company. We are a reputable cleaning services provider with many years of experience Our cleaners are background-checked, experienced and hard-working We work seven days a week and we have flexible work hours Our pricing system is practical We operate in Maida Vale We are available for regular cleaning sessions Our cleaners have the knowledge and the specialised machines, to clean your home exterior thoroughly and in detail. What is more, thanks to our modern pressure washing machines, we can promise you that there are not going to be any streaks left, or any water and dirt splashes outside of the area that is being treated. Pressure Washing W9 Our cleaners are very detail-oriented, and we assure you they will not miss a spot. They will clean your patio or driveway, or walls, or brick fence, or decking, ideally. They can deal with various cleaning problems, such as moss and algae infestation, dust, dirt and grime, and you can be sure that once our cleaners are done with your home exterior, its previous colour will be back. Once all of the dirt has been removed, your exterior will look as amazing as it did when it was brand new. Trust us with your home exterior and give us a call right away. We promise not to disappoint you. Our jet washing service is the most convenient and fairly priced one here in Maida Vale, call us and see for yourself.
Quote of the Day – George Carlin on Teams Post navigation I ran across the attached photo today, and I searched for a quote which allowed me to us the photo, fittingly, it’s George Carlin. Happy Monday, my friends. I often warn people: Somewhere along the way, someone is going to tell you, ‘There is no “I” in team.’ What you should tell them is, ‘Maybe not. But there is an “I” in independence, individuality and integrity.’ – George Carlin
1. Field of the Invention The present invention relates to a loop diagnosis system and method for disk array apparatuses, and more particularly to a loop diagnosis system and method for disk array apparatuses using an FC-AL (Fibre Channel-Arbitrated loop) interface disk. 2. Description of the Related Art Along with the development of the information technology (IT) environment in recent years, the role of storage units in computer systems is taking on ever increasing importance, and the requirements for their performance, reliability and capacity also keep on increasing in stringency. In disk array apparatuses, these requirements are met by conforming the interface with the host to the FC-AL [Fibre Channel-Arbitrated Loop: a loop prescribed by ANSI (American National Standards Institute) X3.272-199x Rev 5.7 Aug. 22, 1997] or mounting the apparatus with an FC-AL interface disk. If a loop abnormality, such as a link-down, occurs in an FC-AL (hereinafter to be referred to simply as a “loop”) to disturb the loop state, processing on any other normal disk connected to the loop may be affected and become no longer able to function normally. In order to bring back the loop into a normal state, any faulty part should be removed from the loop, but if the loop abnormality is intermittent, complex loop diagnosing will be needed to pinpoint the faulty part, and in a modern disk array apparatus in which many disks are connected in a loop, it takes a long time to identify and remove the faulty disk. One of such disk array apparatuses is disclosed in the Japanese Patent Application Laid-open No. 1999-353126 (Reference 1). According to the technique disclosed in Reference 1, the troubled loop is once cut off, and disks in the disk array apparatus are connected to the initiator host one by one to locate the fault. The faulty disk, as it is identified, is removed from the loop. This facilitates the faulty disk and serves to reduce the time taken to identify it. Another such disk array apparatus is disclosed in the Japanese Patent Application Laid-open No. 1999-305944 (Reference 2) and the Japanese Patent Application Laid-open No. 1999-306644 (Reference 3). Reference 2 discloses an arrangement in which the link state is indicated by turning a lamp on when a link-down occurs and turning it off at the time of a link-up. Reference 3 discloses a technique by which the faulty disk is diagnosed after it is separated from the loop. However, the technique disclosed in Reference 1 involves a problem that processing on normal disks is interrupted during the attempt to identify the faulty disk. There is a further disadvantage that, if the number of disks connected to the loop increases reflecting an expanded capacity of the disk array apparatus, the time taken to diagnose the loop will be further extended, and so will be the duration of the interruption of normal disk processing. Nothing to solve these problems is proposed in either Reference 2 or 3.
Q: ExtJS: controller function placement I'm using ExtJS 4 and abiding by their MVC pattern. I'm a little confused on where to put helper functions used by event handlers. This is currently what I'm doing: Ext.define('App.controller.myController, { extend: 'Ext.app.Controller. stores: [...], models: [...], views: [...], init: function() { this.control({ 'selector' : { event1: this.onEvent1, event2: this.onEvent2 } }); }, onEvent1: function(args) { // do stuff helperFn(); }, onEvent2: function(args) { // do other stuff helperFn(); } }); // is this 'right'? function helperFn() { // do other, other stuff } Is this the correct setup? Or should I do something like: Ext.define('App.controller.myController, { extend: 'Ext.app.Controller. stores: [...], models: [...], views: [...], init: function() { this.control({ 'selector' : { event1: this.onEvent1.bind(this), event2: this.onEvent2.bind(this) } }); }, onEvent1: function(args) { // do stuff this.helperFn(); }, onEvent2: function(args) { // do other stuff this.helperFn(); }, helperFn(): function() { // do other, other stuff } }); Is one style preferred? I.e. are there any major drawbacks of either one compared to the other? A: By defining your helper function outside of the controller's definition, you're making it a global function. This means that the function will be available everywhere in your application. If this is a requirement, I would define a separate utility singleton which contains helperFn. //in a separate file... Ext.define('App.Util', { singleton: true, helperFn: function() { // do other, other stuff } }); Ext.define('App.controller.myController, { extend: 'Ext.app.Controller. stores: [...], models: [...], views: [...], init: function() { this.control({ 'selector' : { event1: this.onEvent1.bind(this), event2: this.onEvent2.bind(this) } }); }, onEvent1: function(args) { // do stuff App.Util.helperFn(); }, onEvent2: function(args) { // do other stuff App.Util.helperFn(); } }); By defining it inside the controller's definition, you're making it a member of the controller class. This means that it can be called by the instance of the controller only. This is generally preferred if the code is specific to the controller. There is a third option available. If you want the function to be available only within the controller, but not accessible to anything else (similar to a private method in Java), you can set it up like this: Ext.define('App.controller.myController', (function () { //now the function is only available below through closure function helperFn() { // do other, other stuff } return { extend: 'Ext.app.Controller', stores: [...], models: [...], views: [...], init: function () { this.control({ ' selector ': { event1: this.onEvent1.bind(this), event2: this.onEvent2.bind(this) } }); }, onEvent1: function (args) { // do stuff helperFn(); }, onEvent2: function (args) { // do other stuff helperFn(); } }; })());
Protected areas of Panama Protected areas of Panama include: Arraiján Protected Forest (Bosque Protector de Arraiján) Boca Vieja Beach Wildlife Refuge (Refugio de Vida Silvestre Playa Boca Vieja) Calobre Springs Natural Monument (Monumento Natural de Los Pozos de Colobre) in Calobre District Cerro Ancón Reserve (Reserva Cerro Ancón) Colón Island Natural Reserve on Colón Island Forestal Canglón Reserve Filo del Tallo Hydrological Reserve Metropolitan Natural Park (Parque Natural Metropolitano) Narganá Wilderness Area (Area Silvestre de Narganá) Punta Patiño Natural Reserve San Lorenzo Protected Area Serrania del Bagre Biological Corridor Comarca of Kuna Yala Chagres River Swamps and Wetlands of the Bay of Panamá (Manglares y Humedales de la Bahía de Panamá) Humedales del Golfo de Montijo Lago Alajuela Cienega de las Macanas (La Macanas Cienega) Parque Central Manglares (swamp / wetland areas) Palo Seco Forest Reserve (Bosque Protector de Palo Seco) Isla Solarte (Solarte Island, part of which is in a National Marine Park) Wizard Beach on Isla Bastimentos (Bastimentos Island) near Parque Nacional Marino Isla Bastimentos Yeguada Lagoon Forst Reserve (Reserva Forestal La Yeguada) at the Yeguada Lagoon (Laguna Yeguada) San San-Pond Sak Humedal Ramsar San San-Pond Sak Barú Volcano (Volcán Barú) Fortuna Forest Reserve (Reserva Forestal De Fortuna) National parks National parks in Panama (List of national parks of Panama) include: Altos de Campana National Park Barro Colorado Island Cerro Hoya National Park Chagres National Park Coiba National Park Darién National Park Omar Torrijos "El Cope" National Park Chiriquí Gulf National Marine Park (Golfo de Chiriquí Nacional Parque) Isla Bastimentos National Marine Park La Amistad International Park Las Cruces Trail National Park Portobelo National Park Sarigua National Park Soberanía National Park Volcan Baru National Park References
Sens. Fischer and Sasse have questions about request for military force (AUDIO) Both of Nebraska’s United States Senators say Congress needs to thoroughly consider a request by President Obama to use military force against the Islamic State. Sen. Deb Fisher will sit in on the hearings over the president’s request as a member of the Senate Armed Services Committee. Fischer says three areas need to be clarified before Congress grants the president his request. “This is serious,” Fischer tells Nebraska reporters during a conference call. “This is multi-layered and it needs to be addressed in a way that not just Congress, but the American people understand what’s involved.” Fischer says the Obama Administration must disclose what it plans to do about Syria once the conflict with the Islamic State ends, specifically what will become of Syrian President Bashar al-Assad. Second, she wants the administration to outline what it considers to be Iraq’s future; does it remain a united country or break up into three separate states? Finally, Fischer says the administration needs to provide a strategy for dealing with the growing belligerence of Iran. The president has issued a formal request that would permit ongoing airstrikes against the Islamic State, otherwise known as ISIS or ISIL. It would authorize American military training for local ground forces in both Iraq and Syria. U.S. Special Operations personnel could be used for rescue missions as well as unspecified assistance for local forces. The request rules out United States ground forces. It would expire after three years. Sen. Ben Sasse says the request seems to contain more restrictions than strategy. “The problem I have is that this request starts by saying all the things we won’t do and it doesn’t outline a coherent strategy to actually win,” Sasse tells Nebraska Radio Network. The president’s request would also repeal the 2002 authorization President George W. Bush received to begin the war with Iraq. It would leave in place the 2001 authorization given to fight al-Qaea in wake of the September 11, 2001 attacks.
Q: Parsing the string-representation of a numpy array If I only have the string-representation of a numpy.array: >>> import numpy as np >>> arr = np.random.randint(0, 10, (10, 10)) >>> print(arr) # this one! [[9 4 7 3] [1 6 4 2] [6 7 6 0] [0 5 6 7]] How can I convert this back to a numpy array? It's not complicated to actually insert the , manually but I'm looking for a programmatic approach. A simple regex replacing whitespaces with , actually works for single-digit integers: >>> import re >>> sub = re.sub('\s+', ',', """[[8 6 2 4 0 2] ... [3 5 8 4 5 6] ... [4 6 3 3 0 3]] ... """) >>> sub '[[8,6,2,4,0,2],[3,5,8,4,5,6],[4,6,3,3,0,3]],' # the trailing "," is a bit annoying It can be converted to an almost (dtype may be lost but that's okay) identical array: >>> import ast >>> np.array(ast.literal_eval(sub)[0]) array([[8, 6, 2, 4, 0, 2], [3, 5, 8, 4, 5, 6], [4, 6, 3, 3, 0, 3]]) But it fails for multidigit integers and floats: >>> re.sub('\s+', ',', """[[ 0. 1. 6. 9. 1. 4.] ... [ 4. 8. 2. 3. 6. 1.]] ... """) '[[,0.,1.,6.,9.,1.,4.],[,4.,8.,2.,3.,6.,1.]],' because these have an additional , at the beginning. A solution doesn't necessarily need to be based on regex, any other approach that works for unabriged (not shortened with ...) bool/int/float/complex arrays with 1-4 dimensions would be ok. A: Here's a pretty manual solution: import re import numpy def parse_array_str(array_string): tokens = re.findall(r''' # Find all... \[ | # opening brackets, \] | # closing brackets, or [^\[\]\s]+ # sequences of other non-whitespace characters''', array_string, flags = re.VERBOSE) tokens = iter(tokens) # Chomp first [, handle case where it's not a [ first_token = next(tokens) if first_token != '[': # Input must represent a scalar if next(tokens, None) is not None: raise ValueError("Can't parse input.") return float(first_token) # or int(token), but not bool(token) for bools list_form = [] stack = [list_form] for token in tokens: if token == '[': # enter a new list stack.append([]) stack[-2].append(stack[-1]) elif token == ']': # close a list stack.pop() else: stack[-1].append(float(token)) # or int(token), but not bool(token) for bools if stack: raise ValueError("Can't parse input - it might be missing text at the end.") return numpy.array(list_form) Or a less manual solution, based on detecting where to insert commas: import re import numpy pattern = r'''# Match (mandatory) whitespace between... (?<=\]) # ] and \s+ (?= \[) # [, or | (?<=[^\[\]\s]) \s+ (?= [^\[\]\s]) # two non-bracket non-whitespace characters ''' # Replace such whitespace with a comma fixed_string = re.sub(pattern, ',', array_string, flags=re.VERBOSE) output_array = numpy.array(ast.literal_eval(fixed_string))
Getopt::Declare is yet another command-line argument parser, one which is specifically designed to be powerful but exceptionally easy to use. To parse the command-line in @ARGV, one simply creates a Getopt::Declare object, by passing Getopt::Declare::new() a specification of the various parameters that may be encountered. The specification is a single string, in which the syntax of each parameter is declared, along with a description and (optionally) one or more actions to be performed when the parameter is encountered. The specification string may also include other usage formatting information (such as group headings or separators) as well as standard Perl comments (which are ignored). WWW: https://metacpan.org/release/Getopt-Declare
Post navigation Freedom and Respect Scripture Reading: 1 Peter 2:16-17 Live as free men, but do not use your freedom as a cover-up for evil; live as servants of God. Show proper respect to everyone: Love the brotherhood of believers, fear God, honor the king. As we close out this week, there are two items I wish to address from today’s Scripture reading in First Peter. First, the freedom we have in Christ because of grace can never become a cover-up for evil. The Apostle Paul said it this way – What shall we say, then? Shall we go on sinning so that grace may increase? By no means! We died to sin; how can we live in it any longer? (Romans 6:1-2) Freedom is the result of the removal of restraints. It is not, however, the disregard for discipline. Far too many people think that freedom releases them from responsibility, when in fact it carries the highest regard for responsibility. Missionary author Elisabeth Elliot said it this way: Freedom and discipline have come to be regarded as mutually exclusive, when in fact freedom is not at all the opposite, but the final reward, of discipline. It is to be bought with a high price, not merely claimed …. The [professional] skater and [race] horse are free to perform as they do only because they have been subjected to countless hours of grueling work, rigidly prescribed, faithfully carried out. Men are free to soar into space because they have willingly confined themselves in a tiny capsule designed and produced by highly trained scientists and craftsmen, have meticulously followed instructions and submitted themselves to rules which others defined. So, point number one is this – don’t use freedom as a means of accomplishing your own objectives and fulfilling your own desires. Use your freedom to responsibly serve the One who gave it to you. Second, there is a huge need for a return to respect for others in our culture and in our churches. Walls of disrespect have been built between races, genders, and socio-economic groups. Here’s a story that touches on one aspect of respect from our everyday lives as employees and employers. It’s told by Raleigh Washington in a 1993 article in Moody Magazine entitled Breaking Down Walls. You will discover from reading the first line of the story that Mr. Washington is a black man. As a young teen, I worked summers for a white grocer. Albert Soud made me his unofficial butcher. One day a girl who lived with her single mom and four other kids in the apartment above us came into the store and asked for 25 cents-worth of baloney. The family was very poor, so I sliced about three times that much, wrapped it up, and wrote 25 cents on the package. When the girl took it to the cash register, Mr. Soud looked at the package and threw it on his own scale. He rolled his eyes at me, but said to the girl, “Twenty-five cents, please.” After we closed, Mr. Soud said, “Raleigh, I work hard to try to make ends meet, and you defrauded me. I believe you were trying to help that young lady, but you helped her at my expense. Next time you want to help somebody, ask me, and I’ll respond. But don’t steal from me.” Albert Soud was sensitive to the reason for my action, and unwilling to embarrass me in front of the girl. He’d talked to me with respect, like a father to his son. I developed a real love for that man. So point number two is this – good intentions don’t excuse disrespect for authority. It is in that context that Peter says Love the brotherhood of believers, fear God, honor the king. Freedom and respect are inter-connected. Our freedoms are not our right to disrespect others. When freedom and respect are combined, they produce a servant, and according to God’s social system, being a servant is the greatest expression of freedom.
A Kinder, Gentler Immigration Policy AUTHOR(S) Bhagwati, Jagdish; Rivera-Batiz, Francisco PUB. DATE November 2013 SOURCE Foreign Affairs;Nov/Dec2013, Vol. 92 Issue 6, p9 SOURCE TYPE Periodical DOC. TYPE Article ABSTRACT The article looks at U.S. immigration policy, as of 2013. The authors look at proposals for a comprehensive immigration reform law, suggesting that policies such as a path to citizenship for illegal immigrants already in the U.S. and stricter border enforcement would be unlikely to significantly reduce future illegal immigration. They suggest shifting immigration policy decisions from the federal to the state level, saying states that are more welcoming to illegal immigrants will see economic benefits, ultimately leading to improved policies nationwide. Topics include the views of U.S. labor unions on immigration, deportation of illegal immigrants, and immigrant smugglers.
Q: Batch file don't work when double clicked I got a batch file to do mysqldump. The code is like this: @echo off echo Starting Backup of Mysql Database on server for /F "tokens=2,3,4 delims=/ " %i in ('date /t') do set myDate=%k%i%j set bkupfilename=%myDate%.sql echo Backing up to file: %bkupfilename% C:\xampp\mysql\bin\mysqldump --routines -u <user> -p<pwd> <database> > D:\MYSQL_DAILY_BACKUPS\"<database>%bkupfilename%" When I run it on cmd console in Win7 by typing the batch file, it won't work and complain about: C:\xampp\mysql\bin>mysqldumpbatch Starting Backup of Mysql Database on server kj was unexpected at this time. But when I run it by copy pasting the code directly to command prompt it run just fine and produce file 20152401.sql. Anyone know why? A: The single % variant only works from the command line. Try replacing with %% like so: @echo off echo Starting Backup of Mysql Database on server for /F "tokens=2,3,4 delims=/ " %%i in ('date /t') do set myDate=%%k%%i%%j set bkupfilename=%myDate%.sql echo Backing up to file: %bkupfilename% C:\xampp\mysql\bin\mysqldump --routines -u <user> -p<pwd> <database> > D:\MYSQL_DAILY_BACKUPS\"<database>%bkupfilename%" Let me know if that works?
Partial trisomy of the long arm of chromosome 1 due to a familial translocation t(1;10) (q32;q26). A new case of partial trisomy for the long arm of chromosome 1 was observed in a newborn female, who died at age 26 days. The father was a proven carrier of a balanced translocation involving chromosomes 1 and 10.
Cooperative alpha-helix formation of beta-lactoglobulin induced by sodium n-alkyl sulfates. It is generally assumed that folding intermediates contain partially formed native-like secondary structures. However, if we consider the fact that the conformational stability of the intermediate state is simpler than that of the native state, it would be expected that the secondary structures in a folding intermediate would not necessarily be similar to those of the native state. beta-Lactoglobulin is a predominantly beta-sheet protein, although it has a markedly high intrinsic preference for alpha-helical structure. The formation of non-native alpha-helical intermediate of beta-lactoglobulin was induced by n-alkyl sulfates including sodium octyl sulfate, SOS; sodium decyl sulfate, SDeS; sodium dodecyl sulfate, SDS; and sodium tetradecyl sulfate, STS at special condition. The effect of n-alkyl sulfates on the structure of native beta-lactoglobulin at pH 2 was utilized to investigate the contribution of hydrophobic interactions to the stability of non-native alpha-helical intermediate. The addition of various concentrations of n-alkyl sulfates to the native state of beta-lactoglobulin (pH 2) appears to support the stabilized form of non-native alpha-helical intermediate at pH 2. The m values of the intermediate state of beta-lactoglobulin by SOS, SDeS, SDS and STS showed substantial variation. The enhancement of m values as the stability criterion of non-native alpha-helical intermediate state corresponded with increasing chain length of the cited n-alkyl sulfates. The present results suggest that the folding reaction of beta-lactoglobulin follows a non-hierarchical mechanism and hydrophobic interactions play important roles in stabilizing the non-native alpha-helical intermediate state.
Our websites may use cookies to personalize and enhance your experience. By continuing without changing your cookie settings, you agree to this collection. For more information, please see our University Websites Privacy Notice. Connecticut State Data Center Reports On December 20th, 2007, CtSDC Manager Orlando Rodriguez published a second analysis of Congressional Apportionment and the processes and statistics on which it is based.”Current Congressional Apportionment ignores the impact of the non-voting population and fails to remedy political actions that seek to limit the participation of some voters.” In proposing apportionment based on voters, Mr. Rodriguez offers an incentive to all citizens to become committed to participation in the selection of America’s leadership. As his study includes statistical evidence that moving to counting voters from counting persons would not have upset recent elections, his study is also non-partisan. On September 20th, 2007, CtSDC reported on two scenarios for the 2010 Apportionment of Congressional seats in the U.S. House of Representatives. The first scenario assumes Census 2010 counts all undocumented residents, who settle primarily in Southern border states (AZ, FL, TX), with the expected outcome that Northern and Midwestern states (MI, IL, MO, OH, NY) will lose seats .A concurrent finding is that undocumented populations appear to distort the relative voting power of all citizens nationwide. The second scenario assumes undocumented residents will not be included in the count for U.S. Representative apportionment, which is a departure from previous procedures. In this scenario, six Northern and Midwestern states(MA, NY, NJ, PA, OH and IA) lose only six seats between them. Exclusion of undocumented populations could (1) mute the geographic shift from north to south and (2) have only Florida gain another seat. This report compares Census 2000 Income data (1999 tax year) with IRS Federal Adjusted Gross Income (AGI) for the 1999 tax year. Read the Press Release. This comparison will show that Income data from the Decennial Census does not accurately reflect income for the wealthiest and poorest towns. Furthermore, the delay of incorporating Census 2000 data into funding formulas at the state level until 2004-2005 resulted in postponing the equalization of income across the state of town personal income, a formula used for education funding. We examined a number of economic indicators and chose the following with which to compare and contrast Connecticut towns: (1) Population Density, (2) Median Family Income, and 3) Percent Living in Poverty. We found the following five (5) groups represent the characteristics of these three data types: (1) Wealth, (2) Suburban, (3) Rural, (4) Urban Periphery, and (5) Urban Core. This report compares 1990 with 2000 Census data to report on similarities and differences from national averages in age, race, income, educational attainment, home-ownership, and the prevalence of poverty. The national population figures collected by the U.S. Census in 2000 resulted in re-allocating the seats in the U.S. House of Representatives. Using data from the U.S. Census, the Connecticut Secretary of State, and the Registrar of Voters for some Connecticut towns, this report compares the previous districts with the new districts and their demographic composition.
**Core tip:** This editorial is one of the first articles to describe clearly the existence of an urgent medical need for new pharmacological products aimed at providing non-invasive solutions for spinal cord injury patients suffering chronically of urinary tract infection or pneumonia. Drugs capable of activating temporarily on demand activity in specific central networks of neurons that control respiration or micturition are of particular interest. INTRODUCTION ============ Spinal cord injury (SCI) of traumatic origin is generally considered an irreversible condition causing, immediately after trauma, both sensory loss and mobility impairment or complete paralysis\[[@B1]\]. Unfortunately it often leads also, within a few weeks to a few months, to serious chronic complications among which immune problems also knows as central nervous system injury-induced immunodepression (CIDS)\[[@B2]\]. In fact, CIDS is probably one of the main factors contributing subsequently to the development of more specific problems such as urinary tract infections (UTIs), bed sores, pneumonia, sepsis\[[@B1]\]. As of now, biologics (*i.e*., antibiotics) are generally used to treat these infections\[[@B3]\]. However, antibiotics are associated with the increasing problem of antimicrobial resistance and progressive lack of efficacy against infections\[[@B4]\]. When examined closer, different additional factors may contribute to UTIs and pneumonia specifically after SCI. For instance, descending (*i.e*., brain and brainstem) control over the sacral spinal cord micturition center is generally lost or impaired after SCI leading to urinary retention (UR) problems\[[@B5]\]. When chronic UR is found, the bladder remains full, although leaking may occur (associated also with bladder sphincter dyssynergia), and overgrowth of bacteria is regularly diagnosed, contributing directly to recurrent UTIs\[[@B6]\]. In the case of pneumonia, specifically for those with tetraplegia (but not only), breathing control problems and reduced coughing capabilities have a direct impact upon mucus accumulation and bacterial overgrowth that leads to pneumonia and, sometimes, respiratory failure\[[@B7]\]. INADEQUACY OF CURRENTLY USED APPROACHES ======================================= Medical devices for managing bladder problems are probably the most extensively used means to prevent UTIs. Chronic indwelling catheters or intermittent catheters are typically used for regular bladder drainage and, hence, for reducing incidence of bacterial overgrowth. However, the use of catheters also contributes to UTIs. When chronically performed, these devices are associated with multiple problems including pyuria, pericatheter sepsis, haemorrhage, or bladder and kidney damage\[[@B8]\]. Other alternative approaches are occasionally used such as drugs with peripheral actions on bladder contraction, electrostimulation of sacral anterior roots, diapers or condom sheaths although UR remains largely an unmet medical need that is generally life-threatening\[[@B8],[@B9]\]. For respiratory problems and mucus accumulation, mainly mechanical approaches are normally used, *i.e*., physical therapy, spontaneous or mechanically assisted coughing, suctioning, and mechanical insufflation-exsufflation\[[@B10]\]. These procedures are rather complex, time-consuming and expensive (*i.e*., both labor and specialized medical devices)\[[@B11]\]. CENTRALLY-ACTING PHARMACOLOGICAL APPROACHES =========================================== There is compelling evidence suggesting that lower incidence of pneumonia or UTIs may be found if, respectively, cardiovascular and pulmonary function or bladder function could be stimulated and improved. To investigate that, some researchers are exploring a novel approach essentially based on central (spinal cord) small molecule therapeutics stimulation of neuronal networks known to normally (*i.e*., in absence of spinal injuries) control either respiration or micturition. Proof-of-concept data demonstrating the efficacy of restoring corresponding spinal neuronal activity on voiding reflex have been reported in animal models of SCI. Serotonergic drugs such as 5-HT1A and 5-HT7 agonists were shown indeed, following a single intravenous (*i.v*.) administration, to augment acutely micturition reflex and voiding despite the lack of brain control over that same spinal network in paraplegic rats\[[@B12],[@B13]\]. Central actions upon sacral neuronal networks has been clearly shown by Lecci et al\[[@B14]\] following intrathecal administration of similar compounds\[[@B14]\]. My own research group in Canada has built upon these findings to show recently that powerful synergistic effects on reflex voiding may be found by co-administration subcutaneously of 5-HT1A and 5-HT7 receptor agonists in paraplegic mice\[[@B15]\]. Comparable voiding-activating has been shown using direct electrical stimulation of corresponding spinal cord areas in anesthetized chronic paraplegic cats\[[@B16]\]. For breathing problems, the role of another set of neurons has been explored using a comparable approach. It is the crossed phrenic pathway in the spinal cord, also known as CPP, that exhibit significant control of phrenic motoneurons and nerves for diaphragm contraction. It had been found originally by the French researchers Aubier and Pariente, that *i.v*. infusion of aminophylline, an adenosine receptor antagonist, can improve ventilation in dogs *via* stronger diaphragmatic contraction\[[@B17]\]. However, Nantwi et al\[[@B18]\] more recently showed that adenosine antagonists aminophylline or theophylline can augment respiration by acting centrally although some additional peripheral actions upon the diaphragm cannot be excluded. Theophylline and aminophylline have both been considered as relatively safe since approved already by FDA as treatment against chronic obstructive pulmonary disease. Other drugs such as 5-HT1A agonist administered *i.p*. to chronic paraplegic rats have been shown also to stabilize ventilator abnormalities\[[@B19]\]. However, clinical efficacy against respiratory problems and related consequences on mucus accumulation and pneumonia with adenosine antagonists or 5-HT1A agonists remains to be shown. CONCLUSION ========== No safe or acceptable treatments have yet been found against the occurrence or severity of significant health concerns such as UTIs and pneumonia in chronic SCI patients. Non-invasive and user-friendly pharmacological acting centrally upon specific spinal command centers involved in controlling micturition and breathing may eventually constitute safe and potent treatments against recurrent infections associated with chronic UR and breathing insufficiency after SCI. Conflict-of-interest statement: The author is also president and chief executive officer of Nordic Life Science Pipeline. Manuscript source: Invited manuscript Specialty type: Critical care medicine Country of origin: Canada Peer-review report classification Grade A (Excellent): 0 Grade B (Very good): 0 Grade C (Good): C, C Grade D (Fair): 0 Grade E (Poor): 0 Peer-review started: March 24, 2016 First decision: May 16, 2016 Article in press: August 15, 2016 P- Reviewer: Inchauspe AA, Weng CF S- Editor: Qiu S L- Editor: A E- Editor: Wu HL [^1]: Author contributions: Guertin PA solely contributed to all aspects of this editorial paper. Correspondence to: Pierre A Guertin, PhD, Professor, Laval University Medical Center (CHU de Québec - CHUL), 2705 Laurier Boulevard, RC-9800 (Neuroscience), Québec City, QC G1V 4G2, Canada. <pierre.guertin@crchul.ulaval.ca> Telephone: +1-418-5254444 Fax: +1-418-6542753
Related literature {#sec1} ================== For general background to mol­ecule-based magnets, see: Catala *et al.* (2005[@bb1]); Garde *et al.* (1999[@bb3]); Herrera *et al.* (2004[@bb5], 2008[@bb4]); Kosaka *et al.* (2009[@bb8]); Leipoldt *et al.* (1994[@bb9]); Ohkoshi *et al.* (2006[@bb13], 2007[@bb14], 2008[@bb12]); Sieklucka *et al.* (2009[@bb19]); Zhong *et al.* (2000[@bb20]). For related structures, see: Ohkoshi *et al.* (2003[@bb11]); Podgajny *et al.* (2002[@bb15]); Kaneko *et al.* (2007[@bb7]). Experimental {#sec2} ============ {#sec2.1} ### Crystal data {#sec2.1.1} \[Cu~3~W~2~(CN)~16~(C~7~H~6~N~2~)~6~(H~2~O)\]*M* *~r~* = 1701.46Monoclinic,*a* = 32.0103 (8) Å*b* = 10.2389 (3) Å*c* = 19.5533 (5) Åβ = 93.8269 (8)°*V* = 6394.3 (3) Å^3^*Z* = 4Mo *K*α radiationμ = 4.63 mm^−1^*T* = 296 K0.45 × 0.12 × 0.08 mm ### Data collection {#sec2.1.2} Rigaku R-AXIS RAPID diffractometerAbsorption correction: multi-scan (*ABSCOR*; Higashi, 1995[@bb6]) *T* ~min~ = 0.327, *T* ~max~ = 0.69031073 measured reflections7321 independent reflections6376 reflections with *I* \> 2σ(*I*)*R* ~int~ = 0.059 ### Refinement {#sec2.1.3} *R*\[*F* ^2^ \> 2σ(*F* ^2^)\] = 0.030*wR*(*F* ^2^) = 0.085*S* = 1.027321 reflections421 parametersH atoms treated by a mixture of independent and constrained refinementΔρ~max~ = 1.85 e Å^−3^Δρ~min~ = −1.08 e Å^−3^ {#d5e615} Data collection: *PROCESS-AUTO* (Rigaku, 1998[@bb16]); cell refinement: *PROCESS-AUTO*; data reduction: *CrystalStructure* (Rigaku, 2007[@bb17]); program(s) used to solve structure: *SHELXS97* (Sheldrick, 2008[@bb18]); program(s) used to refine structure: *SHELXL97* (Sheldrick, 2008[@bb18]); molecular graphics: *ORTEP-3* (Farrugia, 1997[@bb2]) and *VESTA* (Momma & Izumi, 2006[@bb10]); software used to prepare material for publication: *CrystalStructure* . Supplementary Material ====================== Crystal structure: contains datablocks I, global. DOI: [10.1107/S160053681000841X/pk2226sup1.cif](http://dx.doi.org/10.1107/S160053681000841X/pk2226sup1.cif) Structure factors: contains datablocks I. DOI: [10.1107/S160053681000841X/pk2226Isup2.hkl](http://dx.doi.org/10.1107/S160053681000841X/pk2226Isup2.hkl) Additional supplementary materials: [crystallographic information](http://scripts.iucr.org/cgi-bin/sendsupfiles?pk2226&file=pk2226sup0.html&mime=text/html); [3D view](http://scripts.iucr.org/cgi-bin/sendcif?pk2226sup1&Qmime=cif); [checkCIF report](http://scripts.iucr.org/cgi-bin/paper?pk2226&checkcif=yes) Supplementary data and figures for this paper are available from the IUCr electronic archives (Reference: [PK2226](http://scripts.iucr.org/cgi-bin/sendsup?pk2226)). The present research was supported in part by a Grant-in-Aid for Young Scientists (S) from JSPS, a grant from the Global COE Program \"Chemistry Innovation through Cooperation of Science and Engineering\" and the Photon Frontier Network Program from MEXT, Japan, the Izumi Science and Technology Foundation. YT is grateful to the JSPS Research Fellowships for Young Scientists. Comment ======= In molecule-based magnets, preparing compounds with a high Curie temperature (*T*~C~) is a challenging issue. From this view point, octacyanometalate \[*M*(CN)~8~\] (*M* = Mo, W, Nb)-based magnets have been aggressively studied due to their high *T*~C~ (Garde *et al.*, 1999; Zhong *et al.*, 2000; Herrera *et al.*, 2008; Sieklucka *et al.*, 2009; Kosaka *et al.*, 2009) and properties such as photomagnetism (Herrera *et al.*, 2004; Catala *et al.*, 2005; Ohkoshi *et al.*, 2006; Ohkoshi *et al.*, 2008) and chemically sensitive magnetism (Ohkoshi *et al.*, 2007). Octacyanometalates, \[*M*(CN)~8~\] (*M* = Mo, W, Nb), a versatile class of building blocks, can adopt different spatial configurations depending on their chemical environment, *e.g.*, square antiprism (*D*~4d~), dodecahedron (*D*~2d~), and bicapped trigonal prism (*C*~2v~) (Leipoldt *et al.*, 1994). Thus, crystal structures of their complexes have various coordination geometries. Several octacyanometalate-based magnets of Cu---W systems such as {\[Cu~3~\[W(CN)~8~\]~2~\]3.4H~2~O}~n~ (3-dimensional network complex, 3-D) (Garde *et al.*, 1999), {\[Cu~3~\[*W*(CN)~8~\]~2~(pyrimidine)~2~\]8H~2~O}~n~ (3-D) (Ohkoshi *et al.*, 2007), {\[(tetrenH~5~)~0.8~Cu~4~ \[W(CN)~8~\]~4~\]7.2H~2~O}~n~ (2-D) (Sieklucka *et al.*, 2009), {\[Cu~3~\[*W*(CN)~8~\]~2~(3-cyanopyridine)~6~\]4H~2~O}~n~ (2-D), and {\[Cu~3~\[*W*(CN)~8~\]~2~(4-cyanopyridine)~6~\]8H~2~O}~n~ (2-D) (Ohkoshi *et al.*, 2003), have been reported. The asymmetric unit of the present compound consists of a \[W(CN)~8~\]^3-^ anion, a \[Cu1(benzimidazole)~2~\]^2+^ cation and one-half of \[Cu2(benzimidazole)(H~2~O)\]^2+^ cation (Fig. 1). The coordination geometry of W is an 8-coordinated dodecahedron, where four CN groups of \[W(CN)~8~\] are bridged to Cu ions (three Cu1 and one Cu2), and other four CN groups are not bridged. The coordination geometries of the two types of Cu^II^ ions (Cu1 and Cu2) are 5-coordinated pseudo-square pyramidal. The Cu1 atom is coordinated to three nitrogen atoms of CN groups and two nitrogen atoms of benzimidazole molecules. The Cu2 atom is coordinated to two nitrogen atoms of CN groups, two nitrogen atoms of benzimidazole molecules, and an oxygen atom of an H~2~O molecule. The cyano-bridged-Cu1---W ladder chains are linked by Cu2 pillar units (Fig. 2). The benzimidazole molecules coordinated to Cu1 are aligned alternately between the layers with the intermolecular shortest distance of 3.452 (7) Å. The field-cooled magnetization (FCM) curve at 10 Oe showed that the magnetization value gradually increased below 10 K and then drastically dropped below 7.5 K with decreasing temperature. The magnetization vs. external magnetic field (*M*-*H*) curve at 2 K showed a spin-flip transition with the critical magnetic field of 900 Oe and the saturation magnetization (*M*~s~) value of 5.2 µ~B~. This *M*~s~ value is close to the expected value of 5.0 µ~B~ for the ferromagnetic ordering of W^V^ (*S* = 1/2) ions and Cu^II^ (*S* = 1/2) ions. These FCM and *M*-*H* curves indicate that this compound is a metamagnet. Experimental {#experimental} ============ The title compound was prepared by reacting an aqueous solution of Cs~3~\[W(CN)~8~\]2H~2~O (1.2 × 10 ^-2^ mol dm^-3^) with a mixed aqueous solution of CuCl~2~2H~2~O (1.8 × 10 ^-2^ mol dm^-3^) and benzimidazole (2.0 × 10 ^-2^ mol dm^-3^) at room temperature. The prepared compound was a deep blue rod-shaped crystal. Elemental analyses: calculated for Cu~3~\[*W*(CN)~8~\]~2~(benzimidazole)~6~(H~2~O), Calculated: Cu, 11.20; W, 21.61; C, 40.94; H, 2.25; N, 23.05. Found: Cu, 11.32; W, 21.78; C, 40.65; H, 2.42; N, 23.15. In the Infrared (IR) spectra, cyano stretching peaks were observed at 2206, 2201, 2186, 2183, and 2165 cm^-1^. Refinement {#refinement} ========== The H atoms of the benzimidazole molecules were placed in calculated positions, with C---H = 0.95 Å, and refined using a riding model, with *U*~iso~(H) = 1.2 *U*~eq~(C). The maximum and minimum residual electron density peaks were located 0.83 and 0.93 Å, respectively from the W1 atom. A plausible water hydrogen was found in a difference map, and was refined freely. The second water hydrogen is a symmetry equivalent of the first, because the water oxygen O1 lies on the crystallographic 2-fold. Figures ======= ![Thermal ellipsoid plots (50% probability level) of Cu3\[W(CN)8\]2(C7H6N2)6(H2O). Magenta, Green, gray, light blue, red, and white circle represent W, Cu, C, N, O, and H atoms, respectively. The asterisks indicate the atoms generated by symmetry operations.](e-66-0m403-fig1){#Fap1} ![A structure diagram of Cu3\[W(CN)8\]2(C7H6N2)6(H2O). Magenta, Green, gray, light blue, and red represent W, Cu, C, N, and O atoms, respectively. Hydrogen atoms are omitted for clarity.](e-66-0m403-fig2){#Fap2} Crystal data {#tablewrapcrystaldatalong} ============ ----------------------------------------------- ---------------------------------------- \[Cu~3~W~2~(CN)~16~(C~7~H~6~N~2~)~6~(H~2~O)\] *F*(000) = 3300.00 *M~r~* = 1701.46 *D*~x~ = 1.767 Mg m^−3^ Monoclinic, *C*2/*c* Mo *K*α radiation, λ = 0.71075 Å Hall symbol: -C 2yc Cell parameters from 24759 reflections *a* = 32.0103 (8) Å θ = 3.0--27.5° *b* = 10.2389 (3) Å µ = 4.63 mm^−1^ *c* = 19.5533 (5) Å *T* = 296 K β = 93.8269 (8)° Stick, blue *V* = 6394.3 (3) Å^3^ 0.45 × 0.12 × 0.08 mm *Z* = 4 ----------------------------------------------- ---------------------------------------- Data collection {#tablewrapdatacollectionlong} =============== ------------------------------------------------------------- -------------------------------------------- Rigaku R-AXIS RAPID diffractometer 6376 reflections with *F*^2^ \> 2σ(*F*^2^) Detector resolution: 10.00 pixels mm^-1^ *R*~int~ = 0.059 ω scans θ~max~ = 27.5° Absorption correction: multi-scan (*ABSCOR*; Higashi, 1995) *h* = −39→41 *T*~min~ = 0.327, *T*~max~ = 0.690 *k* = −13→13 31073 measured reflections *l* = −25→24 7321 independent reflections ------------------------------------------------------------- -------------------------------------------- Refinement {#tablewraprefinementdatalong} ========== ------------------------------------- ------------------------------------------------------------------------------------------------ Refinement on *F*^2^ 0 restraints *R*\[*F*^2^ \> 2σ(*F*^2^)\] = 0.030 H atoms treated by a mixture of independent and constrained refinement *wR*(*F*^2^) = 0.085 *w* = 1/\[σ^2^(*F*~o~^2^) + (0.043*P*)^2^ + 13.526*P*\] where *P* = (*F*~o~^2^ + 2*F*~c~^2^)/3 *S* = 1.02 (Δ/σ)~max~ = 0.002 7321 reflections Δρ~max~ = 1.85 e Å^−3^ 421 parameters Δρ~min~ = −1.08 e Å^−3^ ------------------------------------- ------------------------------------------------------------------------------------------------ Special details {#specialdetails} =============== ----------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- Refinement. Refinement was performed using all reflections. The weighted *R*-factor (wR) and goodness of fit (*S*) are based on *F*^2^. *R*-factor (gt) are based on *F*. The threshold expression of *F*^2^ \> 2.0 σ(*F*^2^) is used only for calculating *R*-factor (gt). ----------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- Fractional atomic coordinates and isotropic or equivalent isotropic displacement parameters (Å^2^) {#tablewrapcoords} ================================================================================================== -------- --------------- --------------- -------------- -------------------- -- *x* *y* *z* *U*~iso~\*/*U*~eq~ W(1) 0.145909 (4) 0.677683 (13) 0.197487 (7) 0.01965 (5) Cu(2) 0.0000 0.49203 (8) 0.2500 0.03412 (16) Cu(1) 0.188606 (15) 1.17685 (4) 0.21356 (2) 0.02394 (11) O(1) 0.0000 0.7293 (9) 0.2500 0.122 (3) N(2) 0.05975 (11) 0.5193 (3) 0.23372 (18) 0.0370 (8) N(1) 0.17619 (12) 0.9853 (3) 0.21299 (18) 0.0346 (7) N(3) 0.17679 (12) 0.3708 (3) 0.21001 (18) 0.0342 (7) N(4) 0.24430 (12) 0.6811 (3) 0.26064 (19) 0.0339 (8) N(5) 0.10782 (14) 0.5221 (4) 0.0592 (2) 0.0526 (11) N(6) 0.06447 (17) 0.8632 (4) 0.1550 (3) 0.0742 (16) N(7) 0.13445 (14) 0.7107 (5) 0.36327 (19) 0.0533 (11) N(8) 0.19927 (14) 0.7590 (4) 0.06671 (18) 0.0495 (10) N(9) 0.01423 (12) 0.4524 (4) 0.34652 (19) 0.0422 (9) N(10) 0.04890 (15) 0.4583 (5) 0.4471 (2) 0.0610 (12) N(11) 0.17406 (12) 1.1776 (3) 0.31062 (18) 0.0334 (8) N(12) 0.17738 (19) 1.1969 (4) 0.4229 (2) 0.0611 (13) N(13) 0.18846 (12) 1.1756 (3) 0.11163 (18) 0.0306 (7) N(14) 0.16506 (13) 1.2126 (4) 0.00448 (19) 0.0410 (8) C(2) 0.09067 (13) 0.5704 (4) 0.22258 (19) 0.0295 (8) C(1) 0.16532 (12) 0.8801 (3) 0.21138 (19) 0.0276 (8) C(3) 0.16736 (12) 0.4779 (3) 0.20814 (18) 0.0253 (7) C(4) 0.21022 (13) 0.6805 (3) 0.2396 (2) 0.0276 (8) C(5) 0.12014 (14) 0.5790 (4) 0.1062 (2) 0.0339 (9) C(6) 0.09391 (15) 0.8020 (4) 0.1676 (2) 0.0399 (10) C(7) 0.13846 (14) 0.7019 (4) 0.3060 (2) 0.0334 (9) C(8) 0.18115 (14) 0.7292 (4) 0.11189 (19) 0.0329 (8) C(9) 0.04547 (15) 0.5048 (5) 0.3837 (2) 0.0499 (12) C(10) −0.00421 (16) 0.3619 (5) 0.3883 (2) 0.0478 (11) C(11) −0.03601 (18) 0.2733 (6) 0.3741 (3) 0.0692 (16) C(12) −0.0462 (2) 0.1936 (7) 0.4281 (5) 0.097 (2) C(13) −0.0237 (3) 0.2026 (9) 0.4940 (5) 0.111 (3) C(14) 0.0073 (3) 0.2874 (8) 0.5065 (3) 0.086 (2) C(15) 0.01723 (19) 0.3657 (6) 0.4523 (2) 0.0585 (14) C(16) 0.19871 (18) 1.2102 (5) 0.3653 (2) 0.0452 (11) C(17) 0.13574 (16) 1.1428 (4) 0.3341 (2) 0.0422 (10) C(18) 0.09927 (18) 1.1010 (6) 0.2988 (3) 0.0673 (16) C(19) 0.0650 (2) 1.0730 (8) 0.3375 (6) 0.111 (3) C(20) 0.0680 (3) 1.0858 (9) 0.4067 (6) 0.117 (3) C(21) 0.1033 (3) 1.1243 (8) 0.4433 (4) 0.104 (3) C(22) 0.1385 (2) 1.1537 (5) 0.4053 (3) 0.0569 (14) C(23) 0.15930 (14) 1.2307 (4) 0.0704 (2) 0.0365 (9) C(24) 0.21615 (14) 1.1184 (4) 0.0683 (2) 0.0328 (8) C(25) 0.25409 (15) 1.0524 (4) 0.0820 (2) 0.0426 (10) C(26) 0.27512 (18) 1.0159 (5) 0.0266 (3) 0.0545 (13) C(27) 0.2601 (2) 1.0414 (5) −0.0407 (2) 0.0577 (14) C(28) 0.2242 (2) 1.1052 (5) −0.0553 (2) 0.0526 (13) C(29) 0.20135 (17) 1.1435 (4) 0.0004 (2) 0.0394 (10) H(1) 0.025 (3) 0.784 (12) 0.233 (6) 0.20 (5)\* H(9) 0.0633 0.5677 0.3674 0.060\* H(10N) 0.0672 0.4809 0.4791 0.073\* H(11) −0.0499 0.2671 0.3309 0.083\* H(12) −0.0679 0.1336 0.4215 0.116\* H(12N) 0.1873 1.2136 0.4639 0.073\* H(13) −0.0311 0.1475 0.5291 0.133\* H(14) 0.0215 0.2937 0.5494 0.103\* H(14N) 0.1489 1.2395 −0.0295 0.049\* H(16) 0.2264 1.2378 0.3643 0.054\* H(18) 0.0975 1.0918 0.2514 0.081\* H(19) 0.0399 1.0454 0.3155 0.133\* H(20) 0.0445 1.0671 0.4304 0.140\* H(21) 0.1045 1.1312 0.4908 0.124\* H(23) 0.1369 1.2775 0.0860 0.044\* H(25) 0.2644 1.0343 0.1265 0.051\* H(26) 0.3005 0.9722 0.0341 0.065\* H(27) 0.2756 1.0132 −0.0765 0.069\* H(28) 0.2147 1.1234 −0.1002 0.063\* -------- --------------- --------------- -------------- -------------------- -- Atomic displacement parameters (Å^2^) {#tablewrapadps} ===================================== ------- -------------- ------------- ------------- -------------- -------------- --------------- *U*^11^ *U*^22^ *U*^33^ *U*^12^ *U*^13^ *U*^23^ W(1) 0.02408 (10) 0.01523 (9) 0.01913 (9) 0.00006 (5) −0.00245 (6) −0.00061 (5) Cu(2) 0.0216 (3) 0.0477 (4) 0.0322 (3) 0.0000 −0.0040 (2) 0.0000 Cu(1) 0.0300 (2) 0.0160 (2) 0.0255 (2) 0.00025 (17) −0.0012 (2) −0.00081 (16) O(1) 0.105 (6) 0.069 (5) 0.200 (10) 0.0000 0.080 (6) 0.0000 N(2) 0.0287 (18) 0.044 (2) 0.0377 (19) −0.0043 (15) −0.0018 (15) −0.0010 (15) N(1) 0.048 (2) 0.0204 (17) 0.0353 (18) −0.0029 (15) 0.0027 (16) −0.0029 (13) N(3) 0.045 (2) 0.0225 (18) 0.0347 (18) 0.0024 (15) −0.0027 (15) 0.0004 (14) N(4) 0.0310 (19) 0.033 (2) 0.037 (2) −0.0025 (13) −0.0035 (16) 0.0025 (13) N(5) 0.070 (2) 0.050 (2) 0.035 (2) −0.006 (2) −0.017 (2) −0.0103 (18) N(6) 0.068 (3) 0.042 (2) 0.107 (4) 0.020 (2) −0.031 (3) −0.001 (2) N(7) 0.055 (2) 0.079 (3) 0.0264 (19) −0.017 (2) 0.0053 (18) −0.0072 (18) N(8) 0.069 (2) 0.052 (2) 0.0286 (18) −0.014 (2) 0.0124 (19) −0.0029 (17) N(9) 0.0318 (19) 0.058 (2) 0.0361 (19) −0.0047 (17) −0.0057 (16) 0.0074 (17) N(10) 0.058 (2) 0.083 (3) 0.040 (2) 0.004 (2) −0.015 (2) 0.004 (2) N(11) 0.042 (2) 0.0267 (18) 0.0315 (18) 0.0020 (14) 0.0016 (16) −0.0003 (12) N(12) 0.097 (4) 0.059 (3) 0.028 (2) 0.015 (2) 0.009 (2) −0.0020 (18) N(13) 0.0363 (19) 0.0273 (18) 0.0283 (17) 0.0036 (13) 0.0021 (15) 0.0009 (12) N(14) 0.046 (2) 0.046 (2) 0.0304 (18) 0.0035 (18) −0.0019 (16) 0.0012 (16) C(2) 0.030 (2) 0.032 (2) 0.0264 (18) −0.0022 (16) −0.0030 (16) −0.0040 (15) C(1) 0.034 (2) 0.0203 (19) 0.0285 (18) −0.0010 (15) 0.0013 (16) −0.0035 (14) C(3) 0.0311 (19) 0.0179 (18) 0.0262 (17) 0.0002 (14) −0.0043 (15) 0.0004 (13) C(4) 0.032 (2) 0.023 (2) 0.0271 (19) −0.0037 (14) −0.0003 (17) 0.0012 (14) C(5) 0.041 (2) 0.030 (2) 0.030 (2) −0.0001 (17) −0.0059 (18) 0.0013 (16) C(6) 0.036 (2) 0.028 (2) 0.054 (2) 0.0076 (17) −0.010 (2) −0.0015 (18) C(7) 0.030 (2) 0.038 (2) 0.033 (2) −0.0081 (17) 0.0011 (17) −0.0037 (17) C(8) 0.042 (2) 0.033 (2) 0.0233 (18) −0.0021 (18) 0.0009 (17) −0.0063 (16) C(9) 0.037 (2) 0.073 (3) 0.038 (2) −0.007 (2) −0.010 (2) 0.000 (2) C(10) 0.039 (2) 0.054 (3) 0.051 (2) 0.009 (2) 0.007 (2) 0.013 (2) C(11) 0.046 (3) 0.060 (3) 0.102 (4) 0.002 (2) 0.009 (3) 0.013 (3) C(12) 0.075 (5) 0.057 (4) 0.163 (9) 0.003 (3) 0.038 (5) 0.037 (4) C(13) 0.132 (8) 0.083 (6) 0.123 (7) 0.032 (5) 0.053 (6) 0.063 (5) C(14) 0.112 (6) 0.084 (5) 0.065 (4) 0.031 (4) 0.033 (4) 0.035 (3) C(15) 0.062 (3) 0.067 (3) 0.047 (2) 0.024 (3) 0.006 (2) 0.011 (2) C(16) 0.059 (3) 0.044 (2) 0.032 (2) 0.003 (2) −0.002 (2) −0.0059 (19) C(17) 0.051 (2) 0.026 (2) 0.052 (2) 0.0041 (19) 0.015 (2) −0.0012 (19) C(18) 0.050 (3) 0.056 (3) 0.096 (4) −0.002 (2) 0.014 (3) −0.016 (3) C(19) 0.058 (4) 0.086 (6) 0.197 (10) −0.015 (3) 0.059 (5) −0.046 (6) C(20) 0.099 (6) 0.081 (6) 0.181 (10) −0.019 (5) 0.093 (7) −0.022 (6) C(21) 0.163 (9) 0.063 (4) 0.096 (5) 0.017 (5) 0.086 (6) 0.011 (4) C(22) 0.076 (4) 0.042 (3) 0.056 (3) 0.005 (2) 0.031 (3) 0.003 (2) C(23) 0.043 (2) 0.035 (2) 0.031 (2) 0.0034 (19) 0.0008 (18) −0.0015 (17) C(24) 0.043 (2) 0.021 (2) 0.034 (2) −0.0031 (17) 0.0031 (18) −0.0004 (15) C(25) 0.049 (2) 0.032 (2) 0.046 (2) 0.005 (2) 0.003 (2) −0.0017 (19) C(26) 0.058 (3) 0.036 (2) 0.071 (3) 0.010 (2) 0.019 (2) −0.005 (2) C(27) 0.081 (4) 0.042 (3) 0.055 (3) 0.000 (2) 0.032 (2) −0.009 (2) C(28) 0.084 (4) 0.039 (2) 0.036 (2) −0.002 (2) 0.015 (2) −0.004 (2) C(29) 0.060 (3) 0.027 (2) 0.032 (2) −0.004 (2) 0.003 (2) 0.0008 (16) ------- -------------- ------------- ------------- -------------- -------------- --------------- Geometric parameters (Å, °) {#tablewrapgeomlong} =========================== -------------------------------------- ------------- ------------------------------------------ ------------ W(1)---C(2) 2.165 (4) C(10)---C(15) 1.388 (7) W(1)---C(1) 2.176 (3) C(11)---C(12) 1.390 (12) W(1)---C(3) 2.163 (3) C(12)---C(13) 1.436 (14) W(1)---C(4) 2.166 (4) C(13)---C(14) 1.329 (13) W(1)---C(5) 2.166 (3) C(14)---C(15) 1.383 (10) W(1)---C(6) 2.145 (4) C(17)---C(18) 1.384 (7) W(1)---C(7) 2.165 (4) C(17)---C(22) 1.394 (7) W(1)---C(8) 2.146 (4) C(18)---C(19) 1.403 (11) Cu(2)---N(2) 1.980 (3) C(19)---C(20) 1.356 (17) Cu(2)---N(2)^i^ 1.980 (3) C(20)---C(21) 1.355 (14) Cu(2)---N(9) 1.954 (3) C(21)---C(22) 1.421 (12) Cu(2)---N(9)^i^ 1.954 (3) C(24)---C(25) 1.400 (6) Cu(1)---N(1) 2.001 (3) C(24)---C(29) 1.403 (5) Cu(1)---N(3)^ii^ 2.022 (3) C(25)---C(26) 1.364 (7) Cu(1)---N(4)^iii^ 2.174 (3) C(26)---C(27) 1.396 (7) Cu(1)---N(11) 1.984 (3) C(27)---C(28) 1.335 (8) Cu(1)---N(13) 1.993 (3) C(28)---C(29) 1.408 (7) N(2)---C(2) 1.153 (5) O(1)---H(1) 1.05 (12) N(1)---C(1) 1.131 (5) O(1)---H(1)^i^ 1.05 (12) N(3)---C(3) 1.137 (5) N(10)---H(10N) 0.860 N(4)---C(4) 1.140 (5) N(12)---H(12N) 0.860 N(5)---C(5) 1.136 (5) N(14)---H(14N) 0.860 N(6)---C(6) 1.145 (6) C(9)---H(9) 0.930 N(7)---C(7) 1.139 (5) C(11)---H(11) 0.930 N(8)---C(8) 1.131 (5) C(12)---H(12) 0.930 N(9)---C(9) 1.312 (6) C(13)---H(13) 0.930 N(9)---C(10) 1.392 (6) C(14)---H(14) 0.930 N(10)---C(9) 1.326 (6) C(16)---H(16) 0.930 N(10)---C(15) 1.396 (8) C(18)---H(18) 0.930 N(11)---C(16) 1.327 (5) C(19)---H(19) 0.930 N(11)---C(17) 1.385 (6) C(20)---H(20) 0.930 N(12)---C(16) 1.362 (7) C(21)---H(21) 0.930 N(12)---C(22) 1.345 (8) C(23)---H(23) 0.930 N(13)---C(23) 1.318 (5) C(25)---H(25) 0.930 N(13)---C(24) 1.394 (5) C(26)---H(26) 0.930 N(14)---C(23) 1.328 (5) C(27)---H(27) 0.930 N(14)---C(29) 1.367 (6) C(28)---H(28) 0.930 C(10)---C(11) 1.378 (8) N(5)···N(10)^iv^ 2.802 (5) C(27)···H(12N)^vi^ 3.506 N(7)···N(14)^v^ 2.973 (5) C(27)···H(16)^vi^ 3.538 N(8)···N(12)^vi^ 2.889 (5) C(28)···H(12N)^vi^ 3.500 N(8)···C(26)^vii^ 3.482 (6) H(9)···H(14)^ix^ 3.551 N(8)···C(27)^vii^ 3.391 (7) H(10N)···N(5)^viii^ 1.968 N(10)···N(5)^viii^ 2.802 (5) H(10N)···C(5)^viii^ 2.976 N(10)···C(14)^ix^ 3.324 (10) H(10N)···C(13)^ix^ 3.580 N(10)···C(15)^ix^ 3.485 (7) H(10N)···C(14)^ix^ 3.389 N(12)···N(8)^v^ 2.889 (5) H(10N)···C(15)^ix^ 3.472 N(12)···C(28)^v^ 3.451 (7) H(11)···C(18)^xii^ 3.360 N(14)···N(7)^vi^ 2.973 (5) H(11)···H(18)^xii^ 2.795 N(14)···C(26)^x^ 3.453 (6) H(11)···H(23)^xii^ 3.320 N(14)···C(27)^x^ 3.515 (7) H(12)···N(6)^xii^ 3.152 C(9)···C(14)^ix^ 3.531 (10) H(12)···C(23)^xii^ 3.104 C(14)···N(10)^ix^ 3.324 (10) H(12)···H(18)^xii^ 3.476 C(14)···C(9)^ix^ 3.531 (10) H(12)···H(20)^ix^ 3.589 C(15)···N(10)^ix^ 3.485 (7) H(12)···H(21)^ix^ 3.453 C(15)···C(15)^ix^ 3.539 (8) H(12)···H(23)^xii^ 2.652 C(23)···C(27)^x^ 3.555 (7) H(12N)···N(8)^v^ 2.040 C(24)···C(28)^x^ 3.433 (7) H(12N)···C(8)^v^ 2.971 C(26)···N(8)^vii^ 3.482 (6) H(12N)···C(27)^v^ 3.506 C(26)···N(14)^x^ 3.453 (6) H(12N)···C(28)^v^ 3.500 C(27)···N(8)^vii^ 3.391 (7) H(13)···C(20)^ix^ 2.980 C(27)···N(14)^x^ 3.515 (7) H(13)···H(20)^ix^ 2.384 C(27)···C(23)^x^ 3.555 (7) H(14)···N(5)^viii^ 3.340 C(27)···C(29)^x^ 3.524 (7) H(14)···N(6)^viii^ 2.890 C(28)···N(12)^vi^ 3.451 (7) H(14)···N(9)^ix^ 3.538 C(28)···C(24)^x^ 3.433 (7) H(14)···N(10)^ix^ 3.399 C(29)···C(27)^x^ 3.524 (7) H(14)···C(5)^viii^ 3.525 N(3)···H(27)^vii^ 3.329 H(14)···C(6)^viii^ 3.310 N(4)···H(28)^v^ 3.556 H(14)···C(9)^ix^ 3.307 N(5)···H(10N)^iv^ 1.968 H(14)···H(9)^ix^ 3.551 N(5)···H(14)^iv^ 3.340 H(14N)···N(7)^vi^ 2.177 N(5)···H(26)^vii^ 3.558 H(14N)···C(7)^vi^ 3.267 N(6)···H(12)^xi^ 3.152 H(14N)···C(26)^x^ 3.489 N(6)···H(14)^iv^ 2.890 H(14N)···H(26)^x^ 3.371 N(6)···H(21)^vi^ 3.534 H(16)···C(27)^v^ 3.538 N(7)···H(14N)^v^ 2.177 H(16)···H(27)^v^ 3.190 N(7)···H(28)^v^ 3.123 H(18)···C(11)^xi^ 3.566 N(8)···H(12N)^vi^ 2.040 H(18)···H(11)^xi^ 2.795 N(8)···H(21)^vi^ 3.475 H(18)···H(12)^xi^ 3.476 N(8)···H(26)^vii^ 3.080 H(20)···C(13)^ix^ 3.222 N(8)···H(27)^vii^ 2.904 H(20)···H(12)^ix^ 3.589 N(9)···H(14)^ix^ 3.538 H(20)···H(13)^ix^ 2.384 N(10)···H(14)^ix^ 3.399 H(21)···N(6)^v^ 3.534 N(12)···H(28)^v^ 3.531 H(21)···N(8)^v^ 3.475 N(13)···H(27)^x^ 3.472 H(21)···C(6)^v^ 3.561 N(14)···H(26)^x^ 3.508 H(21)···C(8)^v^ 3.591 C(3)···H(27)^vii^ 3.255 H(21)···H(12)^ix^ 3.453 C(5)···H(10N)^iv^ 2.976 H(23)···C(11)^xi^ 3.374 C(5)···H(14)^iv^ 3.525 H(23)···C(12)^xi^ 3.024 C(5)···H(27)^vii^ 3.555 H(23)···H(11)^xi^ 3.320 C(6)···H(14)^iv^ 3.310 H(23)···H(12)^xi^ 2.652 C(6)···H(21)^vi^ 3.561 H(23)···H(27)^x^ 3.542 C(7)···H(14N)^v^ 3.267 H(26)···N(5)^vii^ 3.558 C(7)···H(28)^v^ 3.453 H(26)···N(8)^vii^ 3.080 C(8)···H(12N)^vi^ 2.971 H(26)···N(14)^x^ 3.508 C(8)···H(21)^vi^ 3.591 H(26)···H(14N)^x^ 3.371 C(8)···H(27)^vii^ 2.947 H(27)···N(3)^vii^ 3.329 C(9)···H(14)^ix^ 3.307 H(27)···N(8)^vii^ 2.904 C(11)···H(18)^xii^ 3.566 H(27)···N(13)^x^ 3.472 C(11)···H(23)^xii^ 3.374 H(27)···C(3)^vii^ 3.255 C(12)···H(23)^xii^ 3.024 H(27)···C(5)^vii^ 3.555 C(13)···H(10N)^ix^ 3.580 H(27)···C(8)^vii^ 2.947 C(13)···H(20)^ix^ 3.222 H(27)···C(16)^vi^ 3.493 C(14)···H(10N)^ix^ 3.389 H(27)···C(23)^x^ 3.348 C(15)···H(10N)^ix^ 3.472 H(27)···H(16)^vi^ 3.190 C(16)···H(27)^v^ 3.493 H(27)···H(23)^x^ 3.542 C(16)···H(28)^v^ 3.513 H(28)···N(4)^vi^ 3.556 C(18)···H(11)^xi^ 3.360 H(28)···N(7)^vi^ 3.123 C(20)···H(13)^ix^ 2.980 H(28)···N(12)^vi^ 3.531 C(23)···H(12)^xi^ 3.104 H(28)···C(7)^vi^ 3.453 C(23)···H(27)^x^ 3.348 H(28)···C(16)^vi^ 3.513 C(24)···H(28)^x^ 3.476 H(28)···C(24)^x^ 3.476 C(25)···H(28)^x^ 3.477 H(28)···C(25)^x^ 3.477 C(26)···H(14N)^x^ 3.489 C(2)---W(1)---C(1) 133.28 (14) N(9)---C(10)---C(11) 131.1 (5) C(2)---W(1)---C(3) 75.96 (14) N(9)---C(10)---C(15) 107.9 (4) C(2)---W(1)---C(4) 133.67 (14) C(11)---C(10)---C(15) 120.9 (5) C(2)---W(1)---C(5) 71.25 (15) C(10)---C(11)---C(12) 116.2 (6) C(2)---W(1)---C(6) 74.47 (16) C(11)---C(12)---C(13) 121.0 (7) C(2)---W(1)---C(7) 72.00 (15) C(12)---C(13)---C(14) 122.0 (8) C(2)---W(1)---C(8) 141.36 (14) C(13)---C(14)---C(15) 116.5 (7) C(1)---W(1)---C(3) 143.38 (14) N(10)---C(15)---C(10) 105.7 (4) C(1)---W(1)---C(4) 71.55 (13) N(10)---C(15)---C(14) 130.9 (5) C(1)---W(1)---C(5) 129.57 (14) C(10)---C(15)---C(14) 123.3 (6) C(1)---W(1)---C(6) 71.26 (15) N(11)---C(16)---N(12) 109.7 (4) C(1)---W(1)---C(7) 79.50 (15) N(11)---C(17)---C(18) 130.5 (4) C(1)---W(1)---C(8) 72.70 (15) N(11)---C(17)---C(22) 108.2 (4) C(3)---W(1)---C(4) 71.85 (13) C(18)---C(17)---C(22) 121.2 (5) C(3)---W(1)---C(5) 74.89 (14) C(17)---C(18)---C(19) 117.2 (6) C(3)---W(1)---C(6) 145.36 (15) C(18)---C(19)---C(20) 120.8 (7) C(3)---W(1)---C(7) 93.95 (14) C(19)---C(20)---C(21) 123.8 (9) C(3)---W(1)---C(8) 97.32 (15) C(20)---C(21)---C(22) 116.5 (8) C(4)---W(1)---C(5) 128.28 (15) N(12)---C(22)---C(17) 106.0 (5) C(4)---W(1)---C(6) 142.77 (15) N(12)---C(22)---C(21) 133.6 (6) C(4)---W(1)---C(7) 77.88 (15) C(17)---C(22)---C(21) 120.4 (6) C(4)---W(1)---C(8) 75.95 (15) N(13)---C(23)---N(14) 113.3 (4) C(5)---W(1)---C(6) 78.82 (17) N(13)---C(24)---C(25) 131.7 (3) C(5)---W(1)---C(7) 143.17 (16) N(13)---C(24)---C(29) 108.0 (3) C(5)---W(1)---C(8) 70.29 (15) C(25)---C(24)---C(29) 120.1 (4) C(6)---W(1)---C(7) 93.73 (17) C(24)---C(25)---C(26) 116.7 (4) C(6)---W(1)---C(8) 94.60 (17) C(25)---C(26)---C(27) 122.7 (5) C(7)---W(1)---C(8) 146.55 (16) C(26)---C(27)---C(28) 122.0 (5) N(2)---Cu(2)---N(2)^i^ 163.78 (16) C(27)---C(28)---C(29) 117.1 (4) N(2)---Cu(2)---N(9) 91.10 (15) N(14)---C(29)---C(24) 105.9 (3) N(2)---Cu(2)---N(9)^i^ 92.26 (15) N(14)---C(29)---C(28) 132.6 (4) N(2)^i^---Cu(2)---N(9) 92.26 (15) C(24)---C(29)---C(28) 121.4 (4) N(2)^i^---Cu(2)---N(9)^i^ 91.10 (15) H(1)---O(1)---H(1)^i^ 116 (9) N(9)---Cu(2)---N(9)^i^ 156.03 (18) C(9)---N(10)---H(10N) 126.4 N(1)---Cu(1)---N(3)^ii^ 157.80 (15) C(15)---N(10)---H(10N) 126.4 N(1)---Cu(1)---N(4)^iii^ 102.33 (14) C(16)---N(12)---H(12N) 125.4 N(1)---Cu(1)---N(11) 87.14 (14) C(22)---N(12)---H(12N) 125.4 N(1)---Cu(1)---N(13) 90.06 (13) C(23)---N(14)---H(14N) 126.2 N(3)^ii^---Cu(1)---N(4)^iii^ 99.67 (14) C(29)---N(14)---H(14N) 126.2 N(3)^ii^---Cu(1)---N(11) 88.48 (14) N(9)---C(9)---H(9) 123.7 N(3)^ii^---Cu(1)---N(13) 89.08 (13) N(10)---C(9)---H(9) 123.7 N(4)^iii^---Cu(1)---N(11) 93.97 (14) C(10)---C(11)---H(11) 121.9 N(4)^iii^---Cu(1)---N(13) 99.71 (14) C(12)---C(11)---H(11) 121.9 N(11)---Cu(1)---N(13) 166.32 (15) C(11)---C(12)---H(12) 119.5 Cu(2)---N(2)---C(2) 160.9 (3) C(13)---C(12)---H(12) 119.5 Cu(1)---N(1)---C(1) 173.5 (3) C(12)---C(13)---H(13) 119.0 Cu(1)^xiii^---N(3)---C(3) 175.4 (3) C(14)---C(13)---H(13) 119.0 Cu(1)^xiv^---N(4)---C(4) 172.1 (3) C(13)---C(14)---H(14) 121.7 Cu(2)---N(9)---C(9) 124.8 (3) C(15)---C(14)---H(14) 121.8 Cu(2)---N(9)---C(10) 128.6 (3) N(11)---C(16)---H(16) 125.2 C(9)---N(9)---C(10) 106.5 (3) N(12)---C(16)---H(16) 125.2 C(9)---N(10)---C(15) 107.3 (4) C(17)---C(18)---H(18) 121.4 Cu(1)---N(11)---C(16) 127.3 (3) C(19)---C(18)---H(18) 121.4 Cu(1)---N(11)---C(17) 125.9 (2) C(18)---C(19)---H(19) 119.6 C(16)---N(11)---C(17) 106.8 (3) C(20)---C(19)---H(19) 119.6 C(16)---N(12)---C(22) 109.2 (4) C(19)---C(20)---H(20) 118.1 Cu(1)---N(13)---C(23) 124.3 (3) C(21)---C(20)---H(20) 118.1 Cu(1)---N(13)---C(24) 130.6 (2) C(20)---C(21)---H(21) 121.7 C(23)---N(13)---C(24) 105.1 (3) C(22)---C(21)---H(21) 121.7 C(23)---N(14)---C(29) 107.6 (3) N(13)---C(23)---H(23) 123.3 W(1)---C(2)---N(2) 175.6 (3) N(14)---C(23)---H(23) 123.4 W(1)---C(1)---N(1) 174.2 (3) C(24)---C(25)---H(25) 121.7 W(1)---C(3)---N(3) 175.3 (3) C(26)---C(25)---H(25) 121.7 W(1)---C(4)---N(4) 178.7 (3) C(25)---C(26)---H(26) 118.7 W(1)---C(5)---N(5) 176.6 (3) C(27)---C(26)---H(26) 118.7 W(1)---C(6)---N(6) 174.9 (4) C(26)---C(27)---H(27) 119.0 W(1)---C(7)---N(7) 177.9 (4) C(28)---C(27)---H(27) 119.0 W(1)---C(8)---N(8) 178.4 (4) C(27)---C(28)---H(28) 121.4 N(9)---C(9)---N(10) 112.6 (4) C(29)---C(28)---H(28) 121.4 C(2)---W(1)---C(1)---N(1) −131 (3) N(13)---Cu(1)---N(1)---C(1) −82 (3) C(1)---W(1)---C(2)---N(2) 53 (4) N(3)^ii^---Cu(1)---N(4)^iii^---C(4)^iii^ 100 (2) C(2)---W(1)---C(3)---N(3) 64 (4) N(4)^iii^---Cu(1)---N(3)^ii^---C(3)^ii^ −165 (4) C(3)---W(1)---C(2)---N(2) −153 (4) N(3)^ii^---Cu(1)---N(11)---C(16) −82.6 (3) C(2)---W(1)---C(4)---N(4) 115 (14) N(3)^ii^---Cu(1)---N(11)---C(17) 98.0 (3) C(4)---W(1)---C(2)---N(2) 160 (4) N(11)---Cu(1)---N(3)^ii^---C(3)^ii^ −72 (4) C(2)---W(1)---C(5)---N(5) −89 (6) N(3)^ii^---Cu(1)---N(13)---C(23) −47.8 (3) C(5)---W(1)---C(2)---N(2) −74 (4) N(3)^ii^---Cu(1)---N(13)---C(24) 133.9 (3) C(2)---W(1)---C(6)---N(6) 22 (5) N(13)---Cu(1)---N(3)^ii^---C(3)^ii^ 95 (4) C(6)---W(1)---C(2)---N(2) 9(4) N(4)^iii^---Cu(1)---N(11)---C(16) 17.0 (3) C(2)---W(1)---C(7)---N(7) 51 (11) N(4)^iii^---Cu(1)---N(11)---C(17) −162.4 (3) C(7)---W(1)---C(2)---N(2) 108 (4) N(11)---Cu(1)---N(4)^iii^---C(4)^iii^ 11 (2) C(2)---W(1)---C(8)---N(8) 98 (13) N(4)^iii^---Cu(1)---N(13)---C(23) −147.5 (3) C(8)---W(1)---C(2)---N(2) −68 (4) N(4)^iii^---Cu(1)---N(13)---C(24) 34.3 (3) C(1)---W(1)---C(3)---N(3) −148 (4) N(13)---Cu(1)---N(4)^iii^---C(4)^iii^ −169 (2) C(3)---W(1)---C(1)---N(1) 93 (3) N(11)---Cu(1)---N(13)---C(23) 32.0 (7) C(1)---W(1)---C(4)---N(4) −112 (14) N(11)---Cu(1)---N(13)---C(24) −146.3 (5) C(4)---W(1)---C(1)---N(1) 95 (3) N(13)---Cu(1)---N(11)---C(16) −162.4 (5) C(1)---W(1)---C(5)---N(5) 140 (6) N(13)---Cu(1)---N(11)---C(17) 18.1 (7) C(5)---W(1)---C(1)---N(1) −30 (3) Cu(2)---N(2)---C(2)---W(1) −28 (5) C(1)---W(1)---C(6)---N(6) −126 (5) Cu(1)---N(1)---C(1)---W(1) 95 (4) C(6)---W(1)---C(1)---N(1) −87 (3) Cu(1)^xiii^---N(3)---C(3)---W(1) −53 (7) C(1)---W(1)---C(7)---N(7) −166 (11) Cu(1)^xiv^---N(4)---C(4)---W(1) 11 (16) C(7)---W(1)---C(1)---N(1) 176 (3) Cu(2)---N(9)---C(9)---N(10) −178.3 (3) C(1)---W(1)---C(8)---N(8) −42 (13) Cu(2)---N(9)---C(10)---C(11) 2.3 (8) C(8)---W(1)---C(1)---N(1) 15 (3) Cu(2)---N(9)---C(10)---C(15) 178.3 (3) C(3)---W(1)---C(4)---N(4) 66 (14) C(9)---N(9)---C(10)---C(11) −174.8 (6) C(4)---W(1)---C(3)---N(3) −150 (4) C(9)---N(9)---C(10)---C(15) 1.2 (6) C(3)---W(1)---C(5)---N(5) −9(6) C(10)---N(9)---C(9)---N(10) −1.1 (6) C(5)---W(1)---C(3)---N(3) −10 (4) C(9)---N(10)---C(15)---C(10) 0.3 (6) C(3)---W(1)---C(6)---N(6) 54 (5) C(9)---N(10)---C(15)---C(14) 178.9 (7) C(6)---W(1)---C(3)---N(3) 31 (4) C(15)---N(10)---C(9)---N(9) 0.5 (6) C(3)---W(1)---C(7)---N(7) −22 (11) Cu(1)---N(11)---C(16)---N(12) −179.4 (3) C(7)---W(1)---C(3)---N(3) 134 (4) Cu(1)---N(11)---C(17)---C(18) −0.3 (5) C(3)---W(1)---C(8)---N(8) 174 (13) Cu(1)---N(11)---C(17)---C(22) 178.7 (3) C(8)---W(1)---C(3)---N(3) −78 (4) C(16)---N(11)---C(17)---C(18) −179.8 (3) C(4)---W(1)---C(5)---N(5) 42 (7) C(16)---N(11)---C(17)---C(22) −0.9 (5) C(5)---W(1)---C(4)---N(4) 14 (14) C(17)---N(11)---C(16)---N(12) 0.1 (4) C(4)---W(1)---C(6)---N(6) −123 (5) C(16)---N(12)---C(22)---C(17) −1.3 (6) C(6)---W(1)---C(4)---N(4) −115 (14) C(16)---N(12)---C(22)---C(21) −179.3 (7) C(4)---W(1)---C(7)---N(7) −93 (11) C(22)---N(12)---C(16)---N(11) 0.7 (6) C(7)---W(1)---C(4)---N(4) 165 (14) Cu(1)---N(13)---C(23)---N(14) −177.5 (3) C(4)---W(1)---C(8)---N(8) −117 (13) Cu(1)---N(13)---C(24)---C(25) −5.3 (6) C(8)---W(1)---C(4)---N(4) −36 (14) Cu(1)---N(13)---C(24)---C(29) 178.5 (3) C(5)---W(1)---C(6)---N(6) 95 (5) C(23)---N(13)---C(24)---C(25) 176.2 (4) C(6)---W(1)---C(5)---N(5) −166 (6) C(23)---N(13)---C(24)---C(29) −0.0 (3) C(5)---W(1)---C(7)---N(7) 48 (11) C(24)---N(13)---C(23)---N(14) 1.1 (5) C(7)---W(1)---C(5)---N(5) −85 (6) C(23)---N(14)---C(29)---C(24) 1.6 (5) C(5)---W(1)---C(8)---N(8) 103 (13) C(23)---N(14)---C(29)---C(28) −174.7 (5) C(8)---W(1)---C(5)---N(5) 95 (6) C(29)---N(14)---C(23)---N(13) −1.8 (5) C(6)---W(1)---C(7)---N(7) 124 (11) N(9)---C(10)---C(11)---C(12) 178.2 (6) C(7)---W(1)---C(6)---N(6) −48 (5) N(9)---C(10)---C(15)---N(10) −0.9 (6) C(6)---W(1)---C(8)---N(8) 27 (13) N(9)---C(10)---C(15)---C(14) −179.6 (6) C(8)---W(1)---C(6)---N(6) 164 (5) C(11)---C(10)---C(15)---N(10) 175.5 (5) C(7)---W(1)---C(8)---N(8) −77 (13) C(11)---C(10)---C(15)---C(14) −3.2 (10) C(8)---W(1)---C(7)---N(7) −132 (11) C(15)---C(10)---C(11)---C(12) 2.7 (9) N(2)---Cu(2)---N(2)^i^---C(2)^i^ −7.9 (13) C(10)---C(11)---C(12)---C(13) −1.5 (11) N(2)^i^---Cu(2)---N(2)---C(2) −7.9 (13) C(11)---C(12)---C(13)---C(14) 0.6 (13) N(2)---Cu(2)---N(9)---C(9) 33.0 (4) C(12)---C(13)---C(14)---C(15) −0.8 (14) N(2)---Cu(2)---N(9)---C(10) −143.5 (4) C(13)---C(14)---C(15)---N(10) −176.3 (7) N(9)---Cu(2)---N(2)---C(2) −109.8 (10) C(13)---C(14)---C(15)---C(10) 2.1 (12) N(2)---Cu(2)---N(9)^i^---C(9)^i^ −131.1 (4) N(11)---C(17)---C(18)---C(19) −179.7 (5) N(2)---Cu(2)---N(9)^i^---C(10)^i^ 52.3 (4) N(11)---C(17)---C(22)---N(12) 1.3 (5) N(9)^i^---Cu(2)---N(2)---C(2) 93.9 (10) N(11)---C(17)---C(22)---C(21) 179.7 (5) N(2)^i^---Cu(2)---N(9)---C(9) −131.1 (4) C(18)---C(17)---C(22)---N(12) −179.6 (4) N(2)^i^---Cu(2)---N(9)---C(10) 52.3 (4) C(18)---C(17)---C(22)---C(21) −1.3 (8) N(9)---Cu(2)---N(2)^i^---C(2)^i^ 93.9 (10) C(22)---C(17)---C(18)---C(19) 1.4 (8) N(2)^i^---Cu(2)---N(9)^i^---C(9)^i^ 33.0 (4) C(17)---C(18)---C(19)---C(20) −0.5 (10) N(2)^i^---Cu(2)---N(9)^i^---C(10)^i^ −143.5 (4) C(18)---C(19)---C(20)---C(21) −0.6 (11) N(9)^i^---Cu(2)---N(2)^i^---C(2)^i^ −109.8 (10) C(19)---C(20)---C(21)---C(22) 0.8 (13) N(9)---Cu(2)---N(9)^i^---C(9)^i^ 131.1 (4) C(20)---C(21)---C(22)---N(12) 178.0 (7) N(9)---Cu(2)---N(9)^i^---C(10)^i^ −45.5 (6) C(20)---C(21)---C(22)---C(17) 0.1 (8) N(9)^i^---Cu(2)---N(9)---C(9) 131.1 (4) N(13)---C(24)---C(25)---C(26) −175.5 (4) N(9)^i^---Cu(2)---N(9)---C(10) −45.5 (6) N(13)---C(24)---C(29)---N(14) −1.0 (4) N(1)---Cu(1)---N(3)^ii^---C(3)^ii^ 7(4) N(13)---C(24)---C(29)---C(28) 175.8 (4) N(3)^ii^---Cu(1)---N(1)---C(1) 5(3) C(25)---C(24)---C(29)---N(14) −177.8 (4) N(1)---Cu(1)---N(4)^iii^---C(4)^iii^ −77 (2) C(25)---C(24)---C(29)---C(28) −0.9 (6) N(4)^iii^---Cu(1)---N(1)---C(1) 178 (2) C(29)---C(24)---C(25)---C(26) 0.3 (6) N(1)---Cu(1)---N(11)---C(16) 119.2 (3) C(24)---C(25)---C(26)---C(27) −0.3 (6) N(1)---Cu(1)---N(11)---C(17) −60.3 (3) C(25)---C(26)---C(27)---C(28) 0.9 (8) N(11)---Cu(1)---N(1)---C(1) 84 (2) C(26)---C(27)---C(28)---C(29) −1.4 (8) N(1)---Cu(1)---N(13)---C(23) 110.0 (3) C(27)---C(28)---C(29)---N(14) 177.3 (5) N(1)---Cu(1)---N(13)---C(24) −68.3 (3) C(27)---C(28)---C(29)---C(24) 1.5 (7) -------------------------------------- ------------- ------------------------------------------ ------------ Symmetry codes: (i) −*x*, *y*, −*z*+1/2; (ii) *x*, *y*+1, *z*; (iii) −*x*+1/2, *y*+1/2, −*z*+1/2; (iv) *x*, −*y*+1, *z*−1/2; (v) *x*, −*y*+2, *z*+1/2; (vi) *x*, −*y*+2, *z*−1/2; (vii) −*x*+1/2, −*y*+3/2, −*z*; (viii) *x*, −*y*+1, *z*+1/2; (ix) −*x*, −*y*+1, −*z*+1; (x) −*x*+1/2, −*y*+5/2, −*z*; (xi) −*x*, *y*+1, −*z*+1/2; (xii) −*x*, *y*−1, −*z*+1/2; (xiii) *x*, *y*−1, *z*; (xiv) −*x*+1/2, *y*−1/2, −*z*+1/2. Hydrogen-bond geometry (Å, °) {#tablewraphbondslong} ============================= ----------------------------- ----------- ----------- ----------- --------------- *D*---H···*A* *D*---H H···*A* *D*···*A* *D*---H···*A* O(1)---H(1)···N(6) 1.05 (12) 2.20 (12) 3.178 (7) 154 (10) N(10)---H(10N)···N(5)^viii^ 0.86 1.97 2.802 (5) 163 N(12)---H(12N)···N(8)^v^ 0.86 2.04 2.888 (5) 169 N(14)---H(14N)···N(7)^vi^ 0.86 2.18 2.973 (5) 154 ----------------------------- ----------- ----------- ----------- --------------- Symmetry codes: (viii) *x*, −*y*+1, *z*+1/2; (v) *x*, −*y*+2, *z*+1/2; (vi) *x*, −*y*+2, *z*−1/2. ###### Hydrogen-bond geometry (Å, °) *D*---H⋯*A* *D*---H H⋯*A* *D*⋯*A* *D*---H⋯*A* ---------------------- ----------- ----------- ----------- ------------- O1---H1⋯N6 1.05 (12) 2.20 (12) 3.178 (7) 154 (10) N10---H10*N*⋯N5^i^ 0.86 1.97 2.802 (5) 163 N12---H12*N*⋯N8^ii^ 0.86 2.04 2.888 (5) 169 N14---H14*N*⋯N7^iii^ 0.86 2.18 2.973 (5) 154 Symmetry codes: (i) ; (ii) ; (iii) .
Gold rate in Tangla. User will get Latest gold and silver price in Tangla. User can find 24 carat gold rate in Tangla and 22 carat gold rate in Tangla. They all can also get Silver rate today in Tangla Assam. Latest Gold rate in Tola and Oz at Tangla. Find the Tangla gold price on 22 January 2019 User can compare gold price in Tangla through Gold Price compare module by varying dates. By comparing the gold price user may buy gold at best rate. On gold-rate.today website, user can also follow the gold news and silver news in Tangla. Many people in Tangla also invest in gold as it is one of the safest investment way. Gold can also be used to get easy loan from banks. Many people in Tangla also buy Gold Funds as it may give them better return on investment*. Gold Rate in Tangla. User will get Tangla gold price on 22 January 2019. Here user can find the latest gold price in Tangla. User can compare gold price in Tangla through Gold Price compare module. Tangla Gold price and Tangla Silver Price Fluctuate as per the National and international market. Tangla with current and last days, user may buy gold in Tangla at best rate. Tangla - Tamil Nadu, gold rate quality is mainly comes in 22 Karat & 24 Karat with the price difference based on quality of 24 carat gold rate in Tangla and 22 carat gold rate in Tangla Gold-rate.Today makes no representation, warranty or guarantee as to the accuracy or completeness of the information (including news, editorials, prices, statistics, analyses and the like) provided through Gold-rate.Today. Any copying, reproduction and/or redistribution of any of the documents, data, content or materials contained on or within this website, without the express written consent from Gold-rate.Today is strictly prohibited. In no event shall Gold-rate.Today or its affiliates be liable to any person(s) for any decision(s) made or action(s) taken in reliance upon the information provided herein. Gold-Rate is not responsible for the content of external sites to which links are provided.# Disclaimer: Kindly read the disclaimer before consuming the content of gold-rate.today sp. IFSC code information
Unlike these people, you won't need to go out in the rain to take part in our vote KEYSTONE/Samuel Truempy While not all of our readers have a vote for September 24, many of you still have an opinion. Whether it's the issue of changing pensions or putting food security into the constitution, we want to know what you think! This content was published on September 13, 2017 - 06:00 Jo Fahy We will present the results after the real vote on September 24. The questions have been slightly simplified. Click below to have your say! Pensions - vote now! External Content pensions vote EN <blank/> The basic points of the reform involve: - raising the retirement age for women from 64 to 65 in line with men - a reduction in the so-called minimum conversion rate for assets accumulated in compulsory vocational pension plans to 6% - a slight increase in VAT - To compensate, all new pensioners will receive an additional CHF70 per ($72) month You can get more details here. Food security - vote now! External Content food security vote Fussy ballot papers aren't needed for our vote! Keystone In simple terms this means: the population has access to sufficient food of appropriate quality and at an affordable price at all times. - preserve the bases of agricultural production: farmland, water, farming techniques, knowledge. - food production must be adapted to local conditions and make efficient use of resources. - agriculture and the food-supply chain must be market-oriented, but the foodstuffs produced must be used in a way that respects resources. - cross-border trade relations should contribute to the sustainable development of agriculture and the food-supply chain. You'll find more detailed information here. Want to contact the author of this article? Jo Fahy is on Facebook and Twitter. This article was automatically imported from our old content management system. If you see any display errors, please let us know: community-feedback@swissinfo.ch
Legal levels of sterilising agent called into question after irritation symptoms arise. Legal levels of a sterilising agent known to cause irritation may not be low enough to protect health care workers, the conference was told.
Westminster Mayor W. Benjamin Brown announced yesterday that he will run for Carroll commissioner in the 1994 election. At an afternoon press conference at City Hall, Mr. Brown, a Republican and frequent critic of the current commissioners, said his experience with the city has prepared him for county office. "My record is one of recognizing public needs and implementing fiscally responsible solutions to meet those needs," he said. All three commissioner seats will be open in 1994. Mr. Brown, in his second term as mayor of the county's largest municipality, is the first challenger to announce for the race. Incumbents Donald I. Dell, a Republican, and Elmer C. Lippy, a Democrat, have said they will run again. Commissioner Julia W. Gouge, a Republican, has said she is considering running for one of three 5th District delegate seats. She was in Annapolis yesterday and could not be reached for comment. Mr. Brown said he announced his decision early in order to have time to organize a campaign while still concentrating on his mayoral duties. He does not have to give up his seat to run. Two first-term City Council members -- Republican Stephen R. Chapin and Democrat Rebecca Orenstein -- said yesterday that they are considering running for commissioner. He added that he resigned his job Monday as sales manager for Centaur Press, the commercial printing division of Landmark Community Newspapers of Maryland Inc., which publishes the Carroll County Times. The job could be considered a conflict of interest if he were elected commissioner, he said. Ms. Orenstein said she wants to talk to family and friends over the Thanksgiving holiday before making a decision. "People are talking to me about it and asking me to run," she said. Mr. Brown, 49, said he also considered running for a delegate seat, but decided in September that there were many issues he wanted to deal with on the county level. The "absolute deciding factor" was the forest conservation law passed by the commissioners last November, he said. Mr. Brown said commissioners allowed developers, who opposed the law, too much say in the process. The mayor also criticized the board for its recent decision to reconsider and possibly amend the ordinance next month in a way he believes would be even more favorable to developers. The law is meant to preserve Carroll's forests. Mr. Lippy said yesterday the commissioners listened to environmentalists when writing the ordinance and did not give the developers what they really wanted. The developers wanted the county to adopt a state version of the forest conservation law, which was seen as less stringent and less costly to follow. The county wrote its own law. Mr. Dell said yesterday that all parties affected by a county law should be involved in drafting it. Battle over trash Mayor Brown also has battled with commissioners about whether Carroll should have countywide trash collection and mandatory recycling. Countywide trash collection would be cheaper for residents and mandatory recycling would save landfill space, he said. The commissioners have waffled on solid waste, Mr. Brown said. "This issue requires leadership that can make a decision," he said. "I think the commissioners could have done a much better job of handling it." The county is studying how to dispose of trash without building more landfills. Officials are considering incineration or composting. Mr. Brown, who supports composting county trash, said modular composting plants could be built at the Northern and Hoods Mill landfills. He advocates a process used by Bedminster Bioconversion Corp. of Cherry Hill, N.J. "This process works. I've seen nothing better," he said. A citizens committee studying incineration and composting is scheduled to report to the commissioners next spring. Improving county police protection and building schools also are important county issues, Mayor Brown said. He said he advocates selling more general-obligation bonds to build schools to relieve crowding. Portable classrooms have become a fixture at many elementary schools, he said. 'Behind the curve' The county should be buying land for future school sites, he said. "We've gotten far behind the curve," he added. The county needs more police officers so residents who live in outlying parts of the county can receive assistance quicker, Mr. Brown said. The county should consider hiring officers to work out of existing town police offices, he said. Those officers could respond to calls outside town limits. But Mr. Brown said he does not support a county police force to replace the state police Resident Trooper program. Mr. Brown, former owner of Benjamin's Fine Candies store, was elected mayor in 1989. He defeated 15-year incumbent LeRoy L. Conaway by 12 votes -- 242 to 230. Mr. Brown had been chairman of the city Board of Zoning Appeals from 1985 to 1989. Re-elected in May He ran unopposed for a second term in May and received 524 of the 729 votes cast for mayor. He and his wife of 20 years, Margaret, have two children -- Jess, 15, and Marcie, 10. Mr. Dell and Mr. Lippy said they consider Mayor Brown a friend and complimented his dedication to public service. "He would serve the people of Carroll County well if he's elected," Mr. Lippy said. "I'm glad he's on board. I think he will add to the debate." Mr. Dell said, "I really have a lot of admiration for him. I think he's a great humanitarian. Even though we've disagreed on issues, we're not enemies." If Mr. Brown is elected, Council President Kenneth A. Yowan would succeed him as mayor. Mr. Yowan, a Republican, wished the mayor luck yesterday, but said he would not campaign for any candidate.
John Templeton (botanist) John Templeton (1766–1825) was an early Irish naturalist and botanist. He is often referred to as the "Father of Irish Botany". He was the father of naturalist, artist and entomologist Robert Templeton. Biography Templeton was born at Orange Grove, Belfast in 1766 (some 68 years after it was so named from William of Orange having tethered his horse to a Spanish Chestnut tree beside the house on his way south from Carrickfergus to face the armies of James II at the River Boyne). He married Katherine Johnson of Seymour Hill, on the outskirts of Belfast, the daughter of a Belfast merchant on 21 December 1799. The couple had five children: Ellen, born on 30 September 1800, Robert, born on 12 December 1802, Catherine, born on 19 July 1806, Mary, born on 9 December 1809 and Matilda on 2 November 1813. The union between the two already prosperous merchant families provided more than ample means enabling Templeton to devote himself passionately to the study of natural history. Influenced by the French Revolution, which many saw as lighting a beacon of enlightenment before the counter-revolutionary Civil War and the ensuing "Terror", Templeton was an early member of the United Irishmen. At once a fervent advocate of Irish independence from the United Kingdom he changed the name of the family home to 'Cranmore' (Irish: crann mór; 'big tree'). Disillusionment came with the murders of a number of Protestants at Wexford bridge and the rise of sectarian Irish nationalism, though he remained a strenuous and enlightened advocate of civil and religious liberty. Never of strong constitution, he was not expected to survive, he was in failing health from 1815 and died in 1825 aged only 60, "leaving a sorrowing wife, youthful family and many friends and townsmen who greatly mourned his death". The Australian leguminous genus Templetonia is named for him. His son Robert became a famous entomologist. Botany John Templeton's interest in botany began with an experimental garden laid out according to a suggestion in Rousseau's 'Nouvelle Heloise' and following Rousseau's 'Letters on the Elements of Botany'. Here he cultivated many tender exotics out of doors and began botanical studies which lasted throughout his life and corresponded with the most eminent botanists in England Sir William Hooker, William Turner, James Sowerby and, especially Sir Joseph Banks, who had travelled on Captain James Cook's voyages, and in charge of Kew Gardens. Banks tried (unsuccessfully) to tempt him to New Holland (Australia) as a botanist on the Flinders's Expedition with the offer of a large tract of land and a substantial salary. An associate of the Linnean Society, Templeton visited London and saw the botanical work being achieved there. This led to his promotion of the Belfast Botanic Gardens as early as 1809, and to work on a Catalogue of Native Irish Plants, in manuscript form and now in the Royal Irish Academy, which was used as an accurate foundation for later work by succeeding Irish botanists. He also assembled text and executed many beautiful watercolour drawings for a Flora Hibernica, sadly never finished, and kept a detailed Journal during the years 1806–1825 (both now in the Ulster Museum, Belfast). Of the 12000 algal specimens in the Ulster Museum Herbarium about 148 are in the Templeton collection and were mostly collected by him, some were collected by others and passed to Templeton. The specimens in the Templeton collection in the Ulster Museum (BEL) have been catalogued. Those noted in 1967 were numbered: F1 – F48. Others were in The Queen's University Belfast. Queens University Belfast All of Templeton's specimens have now been numbered in the Ulster Museum as follows: F190 – F264; F290 – F314 and F333 – F334. Templeton was the first finder of Rosa hibernica (1795) and in Ireland of Sisymbrium Ligusticum seoticum (1793), Adoxa moschatellina (1820), Orobanche rubra and many other plants. Natural History of Ireland John Templeton had wide-ranging scientific interests including chemistry as it applied to agriculture and horticulture, meteorology and phenology following Robert Marsham. He published very little aside from monthly reports on natural history and meteorology in the 'Belfast Magazine' commenced in 1808. John Templeton studied birds extensively, collected shells, marine organisms (especially zoophytes and insects, notably garden pest species. He planned an 'Hibernian Fauna' to accompany 'Hibernian Flora'. This was not published, even in part, but A catalogue of the species annulose animals and of rayed ones found in Ireland as selected from the papers of the late J Templeton Esq. of Cranmore with localities, descriptions and illustrations Mag. Nat. Hist. 9: 233- 240; 301 305; 417–421; 466 -472 and 1837. Irish vertebrate animals selected from the papers of the late . John Templeton Esq., Mag. Nat. Hist . 1: (n. s. ): 403–413 403 -413 were (collated and edited By Robert Templeton). Much of his work was used by later authors, especially by William Thompson whose 'Natural History of Ireland' is its essential continuation. Societies John Templeton supported many Belfast societies, such as Belfast Literary Society and Belfast Natural History Society, which became the Belfast Natural History and Philosophical Society in 1842. He was a founder, with other far-sighted Belfast men, of the Royal Belfast Academical Institution. Contacts Thomas Martyn From 1794 supplied Martyn with many remarks on cultivation for Martyn's edition of Miller's Gardener's Dictionary. George Shaw James Edward Smith Contributions to English Botany and Flora Britannica James Lee Samuel Goodenough Aylmer Bourke Lambert James Sowerby William Curtis Joseph Banks Robert Brown. Lewis Weston Dillwyn's Contributions to British Confervæ (1802–07) Dawson Turner Contributions to British Fuci (1802), and Muscologia Hibernica (1804). John Walker Other John Templeton maintained a natural history cabinet containing specimens from Calobar, New Holland and The Carolinas and he used a Claude Simeon Passemant microscope. His library included Rees's Cyclopædia and works by Carl Linnaeus, Edward Donovan and William Swainson s:Zoological Illustrations See also Late Enlightenment James Townsend Mackay References General references Thomas Dix Hincks Biography of J. Templeton, Esq. The Magazine of Natural History (Loudon) 1828 Volume 1: 403–406 continued 1829 Volume 2: 305–310 Kertland, M.P.H. 1966. Bi-centenary of the birth of John Templeton, A.L.S. 1766–1825. Irish Naturalists' Journal 15 :229 -232. Pl.4. Kertland, M.P.H. 1967. The specimens of Templeton's algae in the Queen's University Herbarium. Irish Naturalists' Journal 15: 318 – 322. Pilcher, B. 1967. The algae of John Templeton in the Ulster Museum. Irish Naturalist Journals 15''': 350 – 353. Praeger, R.L.,1950 Some Irish Naturalists. W. Tempest, Dundalgan Press, Dundalk. Ross, H.C.G. and Nash, R. 1985. The development of natural history in early nineteenth century Ireland. Linnaeus to Darwin: commentaries on the history of biology and geology.'' Society for the History of Natural History, London. 1985. Further reading External links John Templeton Diaries Category:1766 births Category:1825 deaths Category:Irish botanists Category:Fellows of the Linnean Society of London Category:Scientists from Belfast Category:United Irishmen
The following blog post, unless otherwise noted, was written by a member of Gamasutra’s community. The thoughts and opinions expressed are those of the writer and not Gamasutra or its parent company. IGN.com recently ran an article entitled "Top Five Reasons Dark Souls Will Eat Skyrim's Face." The article places each title in opposition to the other in arock-em sock-em style standoff. The author, Casey Lynch, argues that Dark Souls "beats" The Elder Scrolls V: Skyrim one-to-one in a comparision on five different levels: online multiplayer, DLC and pricing, epic scope, tight combat and true challenge, and, the coup de grace, dragons. Judging by some of the categories, the point of the article was more to incite the fanbase and start a discussion than to prove a point. Everyone with a pulse and the faintest interest in the goings on of the industry knows that people go crazy over Bethesda titles, be they medieval or post-apocalyptic. As a newcomer to the epic console RPG game (seriously, no pun intended), FromSoftware's Dark Souls appears ready and able to steal some of the holiday spotlight from Todd Howard's latest jaunt through the world of Tamriel. Or does it? The problem with comparing these two games to determine which one is "better" (and I'm talking subjective critical acclaim here, because the Elder Scrolls serious has a much larger fanbase in addition to being considerably more accessible) is that they both offer fundamentally different experiences to the player. Yes, yes, they're both fantasy RPG action games, but the main reason that people choose to play Elder Scrolls games is vastly different from the reason that people went after Demon's Souls, Dark Souls' spiritual predecessor (again, not a pun). People play Elder Scrolls games to get lost in the vast, incredibly emergent fantasy world of Tamriel. What story exists in Bethesda games, while not precisely tacked on, definitely takes a back seat to the truly massive possibility space afforded by the rules of the game. Generally speaking, in Elder Scrolls games you can go anywhere and do almost anything. In a very real sense, it's like the GTA of fantasy roleplaying games. I've heard Oblivion described as a fantasy procrastination simulator: "Yeah, I could go save the world from Oblivion. OR I could go see if the theives' guild is hiring." 100+ hours later, the player still hasn't started the main quest line because they've been too busy running around doing basically whatever they feel like. Dark Souls, if it's anything at all like its predecessor, won't really accomodate all of that screwing around. Providing an massive, open world ripe with emergent gameplay possibilities isn't the point of the game. The key difference lies in the game mechanics - Dark Souls is built to give players a challenging gameplay experience. Elder Scrolls titles (of which Skyrim is likely not an exception) aim to give players a sandbox to play around in. Reminiscient of the hardcore games from decades of yore, Dark Souls is, by all accounts, as punishing as Demon's Souls was, if a bit more accessible. Players pick it up to challenge themselves. They want to be able to tell their friends about how they surmounted the myriad challenges that they encountered and brag about how much of a pain the whole experience was. With Elder Scrolls players, the result is very different. Players talk about their experiences robbing entire cities blind, or living as a hermit in the forest for days on end just because they felt like it. The point is, while the games might seem similar in structure and function, they are not the same in experience. As game designers, we have to realize that it's the experience of play that concerns us more than anything else. Dead Space and Gears of War are both linear third person shooters, but for various reasons the experiences that they afford are vastly different. Looking beyond units shipped and sales numbers momentarily for the sake of discussion, for gamers a title is only truly successful if the experience that that title provides for them meets or exceeds their expectations. This is where the concept of the contract comes in. The contract describes the expectations that players have for their gaming experience and has a direct impact on their ability to suspend disbelief and become immersed in the game's virtual world. For example, when loading up Mass Effect 2 for the first time, players have a basic understanding about the game they are about to play through. Most people will know ahead of time that they are going to be taking on the role of Commander Shepard and that their goal in the game is to save the galaxy from whatever might threaten it. I hate to deal in absolutes, but no one expects to hop into a round of Mass Effect 2 and go on a Citadel-wide killing spree just for funsies. Nor do they expect to engage in competive 3PS multiplayer over the internet. They expect to inhabit Shepard and to help him or her on their impossible mission. After all, isn't that what it says on the outside of the box? Expecting online multiplayer or considerable challenge in an Elder Scrolls game is like hopping into an ME2 session and planning to start an intergalactic plumbing service based out of the Normandy SR2. It's completely against the tacit contract of mutual expectation that has been engendered within the player by the game designers and their marketing teams. Likewise, Dark Souls players probably don't expect to spend much time picking flowers - they expect to spend their time dead. Because the experiences offered by both games are so fundamentally different, it's really unfair to Bethesda to say that Dark Souls will "beat" Skyrim. It's like saying that a pro football player is better than a pro baseball player is better at sports - the juxtaposition is meaningless without the associated context. Anyway, I'm not knocking Casey Lynch or the article on IGN. Those guys get paid to stir the pot and to get consumers all riled up for prime retail season. I'm sure that Dark Souls will do an excellent job of fulfilling the expectations of its players and that Skyrim will do the same for its target audience. The important thing, as always, is to design your gaming experience with your target audience in mind and to make sure that you manage their expectations appropriately. As for me, while everyone else is collecting souls and slaying dragons in Northrend, I mean Skyrim, I'll be helping Nathan Drake find his way out of a big-ass desert. You know. That, and waiting for December 20th to roll around so's I can finally start collecting Wookie pelts and green lightsabers. Bounty Hunters ftw. Viva la empire!
Buried bumper syndrome causing rectus abdominis necrosis in a man with tetraplegia. Case report. To enhance the early recognition of buried bumper syndrome in patients with tetraplegia requiring percutaneous endoscopic gastrostomy (PEG). Inpatient unit, Massachusetts, USA. A 44 year-old man with C2 American Spinal Injury Association grade A tetraplegia with a relatively recent PEG insertion secondary to poor nutritional intake. Several months after PEG placement, patient became febrile, hypotensive and complained of abdominal pain. Plain films showed a dilated bowel suggestive of ileus. Abdominal and pelvic computed tomography with and without contrast revealed PEG tube dislodgement, and a 21 cm x 2.8 cm left anterior abdominal wall collection consisting of air and contrast. Upon surgical intervention, the left rectus abdominis sheath and muscle were found to be necrotic. Buried bumper syndrome is a serious complication related to PEG tubes. For many people with tetraplegia, PEG is a life-saving procedure with minimal risks. However, emergencies do occur, making prompt recognition imperative to prevent a fatal sequela.
Native human nitric oxide sensitive guanylyl cyclase: purification and characterization. The only published report of the purification of native human soluble guanylyl cyclase (sGC) used placenta as starting material. This enzyme preparation showed low fold-activation by NO and a maximal absorption of the prosthetic heme-group at 417nm indicative of a prosthetic heme-group in a hexa-coordinate state. These data are in contrast to what has subsequently been found for the recombinant human enzymes. Apart from this placental enzyme preparation, a native functional human NO-sensitive sGC has not been successfully purified. The aim of the current study was to purify and characterize native human sGC from another source, to see whether the discrepancies between native and recombinant sGC seen for placenta are a general phenomenon. We chose human platelets as starting material since the properties of this enzyme are directly relevant for the development of innovative antiplatelet and antianginal drugs. Our results indicate that the native platelet enzyme exists as a highly NO-sensitive, heterodimeric enzyme with an alpha(1) and beta(1) subunit. In contrast to the native human placental enzyme and in accordance with the human recombinant enzymes, the native human platelet enzyme contains a ferrous, penta-coordinate heme group. To our knowledge this is the first report of the successful purification and characterization of the native human nitric oxide sensitive alpha(1)/beta(1) isoform of sGC which is widely expressed in the cardiovascular system and is an important target of innovative drugs.
The Early Years of Sarosh Kapadia When a wide-eyed Parsi teenager with a slightly unkempt look first arrived at the plush law offices of Behramjee Jeejeebhoy in the Fort area of Mumbai in the early 1960s, stenographer Perin Driver thought he had probably lost his way. The boy, “a petite little thing” as she now recalls, had come to join work as a office help to add to his family’s income. Along the way, even before he started to study law, Sarosh Homi Kapadia began harbouring ambitions to become a judge. Last week, that ambition scaled its peak when the humble Parsi boy from Mumbai took over as the Chief Justice of India. And among the first things he did was to remember his roots in a letter he wrote to retired Justice V R Krishna Iyer, thanking him for his felicitations. “I come from a poor family. I started my career as a class IV employee and the only asset I possess is integrity…” Kapadia wrote. The new Chief Justice may have stressed on his past only in passing to underline a character that is being increasingly considered as critical for the country’s judiciary. But those who knew him and worked with him in his early days feel Kapadia’s journey from South Mumbai to Central Delhi is nothing but remarkable. “He was a young boy when he joined us as an office boy to help the senior counsels with their heavy case briefs. His self-conscious demeanour would force me to wonder at times what this chap was doing in such a smart law firm,” says Driver, now in her 70s. Over the last week or so, that wonderment has transformed into complete admiration. “Even before Sarosh had started studying law, he was determined to write competitive exams and rise up to becoming a judge one day. It just feels great to have him as the Chief Justice of the country today,” Driver told The Sunday Express. Kapadia was born to a genteel, lower-middle-class Parsi family in the Girgaum area of South Mumbai. His father was a clerk in a defence establishment and his mother a housewife. And a good higher education was a luxury. “He first ensured that he earned enough to support his father and finance his younger brother’s studies before he could start his journey as a lawyer,” said his friend Sudhir Talsania. “He applied for his licence to practice law only when he was 27.” Talsania and Kapadia, who did his B.A. (Honours) and LL.B., joined a firebrand and highly respected labour lawyer, Feroze Damania. Kapadia moved to a simple apartment in Andheri, met Shahnaz who worked in a private office in the suburbs, fell in love and married her. “Sarosh and I had a lot in common. Our love for food and books brought us close. We would travel together by train and would discuss case laws on our way to work and back home,” said Talsania. “The train journeys remain the most memorable part of our formative days. We worked together from 1981 to 1989, when Damania passed away and his firm was dissolved.” The friends, however, drifted apart after Kapadia was appointed an Additional Judge of the Bombay High Court in October 1991. Other friends recall Kapadia strongly respected and followed Parsi culture and even represented the the Bombay Parsi Punchayet in land dispute cases. Senior solicitor Perjor Aatia claims Kapadia sometimes displayed a streak of whimsicalness. “He had a quirky style of argument. A knack to handle revenue laws made him a most wanted lawyer in those days. But he chose to become a judge over a lucrative career,” said Aatia, who worked with Kapadia on several cases including in the areas of environment, banking, industrial disputes and tax law. “It was just his single-minded ambition that took him from genteel poverty to the country’s apex court.”
Trivia Although Poliwag and Poliwhirl were able to learn Amnesia in Generation I, they are not able to learn the move in any other generation, and thus they and their evolved forms can only have the move in Generation II if they are traded forward. Despite several Pokédex entries, especially in the anime, said that Psyduck can't remember while using mysterious power, it could not learn this move until Generation IV, except via a Pokémon Stadium Nintendo event.
771 S.W.2d 221 (1989) Roy Lee BOSIER, Appellant, v. The STATE of Texas, Appellee. No. 01-88-00565-CR. Court of Appeals of Texas, Houston (1st Dist.). May 18, 1989. *222 Charles F. Baird, Michael B. Charlton, Houston, for appellant. John B. Holmes, Jr., Dist. Atty., Winston E. Cochran, Jr., and Vic Wisner, Asst. Dist. Attys., Houston, for appellee. Before SAM BASS, DUGGAN and HUGHES, JJ. OPINION SAM BASS, Justice. A jury convicted appellant of aggravated robbery, found the enhancement allegations to be true, and assessed punishment at 99 years. We affirm. In his first point of error, appellant asserts that the evidence is insufficient to show that the complainant suffered "serious bodily injury." Appellant was convicted of committing the offense of aggravated robbery by causing serious bodily injury to Juan Lopez. "Serious bodily injury" is defined by statute. Tex. Penal Code Ann. § 1.07(a)(34) (Vernon 1974). "Serious bodily injury" means "bodily injury that creates a substantial risk of death or that causes death, serious permanent disfigurement, or protracted loss or impairment of the function of any bodily member or organ." Id. The complainant testified that he was on his way home from the bus station when appellant approached and asked for a cigarette. Appellant told Lopez, "If you don't go to the back corner over there, I going to *223 hit you with a pipe." Lopez protested and was struck twice over the head with a pipe. Lopez fell to the ground and called for help, but remembered few details until he saw a crowd of people around him. Lopez recognized the appellant among the crowd and pointed him out to a policeman. Officer Smith arrested appellant. In searching the appellant, the officer found a watch and ring, which Lopez identified as his own. Officer Smith testified that Lopez was bleeding from the head and face, and the left side of appellant's face was swelling. Lopez was taken to St. Joseph's Hospital where he spent nine days. Dr. Parrish, a neurosurgeon, testified that Lopez suffered a "significant trauma" to the left side of his head, had blood behind the left eardrum, and experienced a temporary loss of consciousness, loss of hearing, and loss of vision. His skull was fractured. The doctor noted that Lopez's fracture was through the bone that contains the mechanism for hearing and that once it is disrupted it is gone forever, as is the mechanism of balance on that side. Dr. Parrish further elaborated on the hearing-balance mechanism: Q: Doctor, I think the last question I asked you is why doesn't an ear injury such as the one you described heal. A: Well, the fracture does heal, but once the nerves are damaged, they are out. They are out of action. Dr. Parrish testified that Lopez's injuries caused protracted loss or impairment of Lopez's balance and created a "substantial risk of death." Dr. Parrish concluded that Lopez's injuries did fit the statutory definition of "serious bodily injury." On redirect and cross-examination, Parrish reaffirmed that the injuries sustained created a substantial risk of death due to the possibility of meningitis and caused a protracted loss or impairment of the function of a bodily member or organ. If "the injury presents an appreciable risk of death, whether treated or not, that risk is substantial enough for a rational trier of fact to conclude or infer that `serious bodily injury' has been sustained by the victim." Moore v. State, 739 S.W.2d 347, 354 (Tex.Crim.App.1987). Appellant relies on Villareal v. State, 716 S.W.2d 651 (Tex.App.—Corpus Christi 1986, no pet.). In Villareal, the court of appeals recognized that rib injuries that prevented Villareal's victim from raising his arms for 10 days showed "impairment" of the function of the victim's arms; however, the court then agreed that this 10-day period was not enough to make the impairment "protracted." Id. at 652. There was no testimony that the fractured ribs created a substantial risk of death, and the injury was not the type from which a trier of fact could infer a substantial risk of death. A subsequent case from the Corpus Christi Court of Appeals held that a broken finger sustained in an assault, which was still stiff at the time of trial, about three months after the attack, constituted protracted loss or impairment of function of a bodily member sufficient to satisfy the definition of serious bodily injury required for aggravated assault. Allen v. State, 736 S.W.2d 225, 227 (Tex.App.—Corpus Christi 1987, pet. ref'd); see also, Kenney v. State, 750 S.W.2d 10 (Tex.App.—Texarkana 1988, pet. ref'd). Here, the complainant is still suffering from a hearing and balance impairment because of neurological damage. In judging the sufficiency of the evidence as to an element of the offense, "serious bodily injury," the test is whether, after viewing the evidence in the light most favorable to the prosecution, any rational trier of fact could have found the essential elements of the crime "beyond a reasonable doubt." Jackson v. Virginia, 443 U.S. 307, 99 S.Ct. 2781, 61 L.Ed.2d 560 (1979). The evidence in the record supports the jury's finding that appellant caused the complainant "serious bodily injury." We overrule appellant's first point of error. The second point of error contends that the State failed to prove that the piece of pipe was a "deadly weapon," as that term is defined in Tex.Penal Code Ann. § 1.07(a)(11)(B): "anything that in the manner *224 of its use or intended use is capable of causing death or serious bodily injury." The pipe used was subsequently lost and, therefore, was not introduced into evidence. The best proof that an instrument is capable of causing serious bodily injury is that, in the manner of its use, it did exactly that. See Denham v. State, 574 S.W.2d 129, 130 (Tex.Crim.App.1978); Williams v. State, 732 S.W.2d 777, 778 (Tex.App.—Corpus Christi 1987, no pet.). The State does not have to prove a deadly weapon when it proves serious bodily injury. These are alternative statutes. Tex.Penal Code Ann. sec. 29.03(a)(1) and (a)(2) (Vernon 1989). For the reasons stated in appellant's first point of error, the evidence showed that the appellant did inflict serious bodily injury on the appellant. Appellant's second point of error is overruled. In his third point of error, appellant asserts that this cause must be reversed if either point one or point two has merit, since the general verdict returned fails to indicate which paragraph of the indictment formed the basis of the verdict. The appellant recognizes that a long line of cases such as Pinkerton v. State, 660 S.W.2d 58 (Tex.Crim.App.1983), and Zanghetti v. State, 618 S.W.2d 383 (Tex.Crim.App. 1981), uphold the validity of general verdicts if evidence is sufficient to support any alternative basis for conviction stated in the charge to the jury. Because we have decided that neither points one or two have any merit, there is no need to consider the assertions made by appellant in his third point of error. Appellant's third point of error is overruled. In his fourth point of error, appellant claims the trial court erred in permitting a State's witness to express an expert opinion. Appellant objected to Officer Smith's opinion testimony about the deadly characteristics of the pipe found because no one had testified that it was the same as or similar to the pipe used in the assault. Q: When you formed your opinion about the deadly characteristics of this particular implement, what are you taking into consideration? Strictly its size and weight? A: Yes, and the manner in which it could be used. Q: The pipe that you are speaking about, assuming hypothetically that the pipe was used to strike someone over the head in a forceful manner, would you consider that piece of pipe a deadly weapon based on the legal definition of deadly weapon that you have in front of you? A: Yes, I would. Officer Smith testified that he found a piece of pipe near the scene, which was made of galvanized steel and was approximately a foot long and one-half inch in width. He turned the pipe over to the property custodian, but it was misplaced. There is some evidence that provides a basis for comparing the pipe described by Smith to the pipe used by the appellant, albeit tenuous. However, any error in admitting the officer's testimony was harmless beyond a reasonable doubt. It was clear that Lopez had been attacked with a piece of pipe, and the testimony as to the nature of his injuries established that the pipe was a deadly weapon. Officer Smith did not represent to the jury that the pipe he found was the same one used to strike Lopez. The prosecutor pointed out that it was not necessary for the jury to think this was the same pipe in order to find that a deadly weapon was used: "Now, whether or not you believe that the same pipe Officer Smith recovered and then was lost by the latent print lab was the pipe used or some other pipe that was a deadly weapon was used, it really isn't of much concern which pipe you believe was used." Furthermore, the defense counsel reurged the jury to disregard Officer Smith's opinion as to the characteristics of the pipe found at the scene and to consider "all the other circumstances, what was done at the time" of the assault in order to make their decision regarding the deadly weapon finding. Whether or not the appellant's weapon was "deadly" was *225 decided by the way it was used and the result. We overrule appellant's fourth point of error. In his fifth and sixth points of error, appellant contends that the trial court erred in submitting the abstract definitions of "intentionally" and "knowingly" to the jury. Over objection, the court's charge defined "intentionally" and "knowingly" according to Tex. Penal Code Ann. §§ 6.03(a) and 6.03(b) (Vernon 1974): 6.03(a): A person acts intentionally, or with intent, with respect to the nature of his conduct or to a result of his conduct when it is his conscious objective or desire to engage in the conduct or cause the result. 6.03(b): A person acts knowingly, or with knowledge, with respect to the nature of his conduct or to circumstances surrounding his conduct when he is aware of the nature of his conduct or that the circumstances exist. A person acts knowingly, or with knowledge, with respect to a result of his conduct when he is aware that his conduct is reasonably certain to cause the result. The appellant argued that the offense of aggravated robbery should direct the jury's consideration and attention to whether the defendant has the required culpable mental state concerning the result of his conduct. The Court of Criminal Appeals has not characterized the offense of aggravated robbery as either a "result" or "nature of conduct" type of offense. Mena v. State, 749 S.W.2d 643, 645 (Tex.App.—San Antonio 1988, no pet.), classified aggravated assault with a deadly weapon as having a "result-oriented" mens rea under Alvarado v. State, 704 S.W.2d 36 (Tex.Crim.App.1985) (op. on reh'g.). Aggravated robbery, however, is distinguished from aggravated assault by being committed "in the course of committing theft," which refers to the circumstances of the assaultive conduct, rather than the result. Furthermore, if the form of robbery alleged is "aggravated" by the use of a deadly weapon, that refers to the nature of conduct rather than the result. That is, a weapon is "deadly" if it is "capable" of causing serious bodily injury in the manner of its use, without regard to whether the actual result is the infliction of serious bodily injury. The appellant's limited objection did not suggest a definition that would take into account the alternate ways in which aggravated robbery may be committed. An offense may not fit neatly into either a "result" type offense or "nature of conduct" offense. Adams v. State, 744 S.W.2d 622, 628-29 (Tex.App.—Fort Worth 1987, pet. ref'd). The trial court did not err in submitting the statutory definitions of "intentionally" and "knowingly" because both definitions allow the jury to consider the nature of appellant's conduct or the results of his conduct. We overrule appellant's fifth and sixth points of error. The judgment is affirmed.
Potentiation of NK cell-mediated cytotoxicity in human lung adenocarcinoma: role of NKG2D-dependent pathway. Natural cytotoxicity receptors and NKG2D correspond to major activating receptors involved in triggering of tumor cell lysis by human NK cells. In this report, we investigated the expression of NKG2D ligands (NKG2DLs), MHC class I-related chain (MIC) A, MICB and UL16-binding proteins 1, 2 and 3, on a panel of human non-small-cell lung carcinoma cell lines, and we analyzed their role in tumor cell susceptibility to NK cell lysis. Although adenocarcinoma (ADC) cells expressed heterogeneous levels of NKG2DLs, they were often resistant to NK cell-mediated killing. Resistance of a selected cell line, ADC-Coco, to allogeneic polyclonal NK cells and autologous NK cell clones correlated with shedding of NKG2DLs resulting from a matrix metalloproteinase (MMP) production. Treatment of ADC-Coco cells with a MMP inhibitor (MMPI) combined with IL-15 stimulation of autologous NK cell clones lead to a potentiation of NK cell-mediated cytotoxicity. This lysis is mainly NKG2D mediated, since it is abrogated by anti-NKG2D-neutralizing mAb. These results suggest that MMPIs, in combination with IL-15, may be useful for overcoming tumor cell escape from the innate immune response.
= 5*j - 1. Let g be -3 + z + -2 + 3. What is the units digit of (128 - -1 - -3) + g? 9 What is the hundreds digit of -9 - 7387/(-1)*(-16 - -17)? 3 Let h(f) be the third derivative of f**5/30 - 13*f**4/12 - 8*f**3/3 + 60*f**2. What is the tens digit of h(22)? 8 Let z = 21 - -209. Suppose z = -4*s + 1714. What is the hundreds digit of s? 3 What is the tens digit of 12558 - (-13)/351*-9*(-10 + 1)? 6 Let w(x) = -3*x**3 - 16*x**2 - 17*x - 12. Let p be w(-4). Let m = -16 - -28. What is the units digit of 80 + -3 + p + m? 1 Let p(s) = 2*s - 16. Let z be p(8). Suppose z*x + 23 = -x - k, -4*k + 20 = 0. What is the tens digit of (x/(-10))/((-14)/(-350))? 7 Let b(l) = 16*l**2 - 26*l + 107. Let c(d) = -9*d**2 + 14*d - 53. Let z(y) = 3*b(y) + 5*c(y). What is the units digit of z(9)? 7 Let m(p) = -4*p**2 - 779*p - 266. What is the hundreds digit of m(-152)? 7 Suppose -24*t = -17*t - 112. Suppose 9634 = t*g + 1522. What is the hundreds digit of g? 5 Suppose 13*c = 15*c - 24. Let k(n) = -n + n**2 + 18 - 10 + c. What is the units digit of k(0)? 0 Let o be (-10 - -8) + (-1)/(3/(-4074)). Suppose 4*v + 1080 = 4*r, 14*r - 3*v - o = 9*r. What is the units digit of r? 3 Suppose 0*p - 2*p + 556 = 0. Let t be (p/(-6))/((-2)/6). Suppose t = i - 14. What is the tens digit of i? 5 Suppose -4*t + j + 3*j = 1836, 4*t + 1822 = -3*j. Let r = t - -820. What is the units digit of r? 3 Suppose 0 = -24*y + 29*y - 3190. Suppose y*q - 645*q + 70 = 0. What is the units digit of q? 0 Suppose -4*q + 131656 = t + 39181, -5*t = -15. What is the ten thousands digit of q? 2 Let h(a) = a**2 + 12*a - 30. Let i be h(-15). Suppose i*w = 8*w + 6090. What is the tens digit of w? 7 Suppose 9*g - 3*g - 18 = 0. Suppose -577 - 648 = -y + 4*p, -g = -p. What is the units digit of y? 7 Suppose -n = -5*v - 1, 3 = 3*v - 6*v + 3*n. Let w be v/((-8)/(-7 + 3)) - -2. Suppose 2*o - 133 = -2*f + 5*o, 0 = -w*f - o + 145. What is the tens digit of f? 7 Let h(w) = -159*w**3 - 3*w**2 - 3*w - 8. Let m be h(-2). Suppose -4*d + 2*i + m = 0, 2*d + 3*i - 544 = 65. What is the hundreds digit of d? 3 Suppose -199*z + 219*z - 6991 = 244209. What is the thousands digit of z? 2 Suppose j - 513 = v - 2*j, -2*v = 5*j + 971. Let o = v - -940. What is the hundreds digit of o? 4 Let x(p) = -p**3 - 4*p**2 + p + 12. Let o be x(-9). Suppose o*f - 404*f = 104. What is the tens digit of f? 2 Suppose -2*d = -6, 4*x + 4*d - 465 = x. Suppose 0 = 2*a + 35 - x. Suppose -y + c = -26, 2*y + a = 4*y + c. What is the units digit of y? 8 Suppose -5*i - 4*t = -82254, 1786*i + t - 16451 = 1785*i. What is the units digit of i? 0 Suppose -m + 135*p - 137*p + 33454 = 0, 7*m + 5*p - 234115 = 0. What is the tens digit of m? 4 Let x = -22236 - -22249. Suppose h = 2*l + 1740, 2*h - 3525 = -4*l - l. Suppose -x*t - h = -23*t. What is the units digit of t? 5 Suppose 4*b - 20 = 2*s, 0 = -4*b + 13*s - 8*s + 26. Let v(r) = 149*r - 3. What is the tens digit of v(b)? 9 Let o = 199 - -41. Suppose -25*r - o = -20*r. What is the tens digit of (-2)/12 - (23320/r)/11? 4 Let m(f) = 26*f**3 - 2*f**2 + f + 4. Let u be m(2). Let x = -43 + u. Let a = -60 + x. What is the units digit of a? 3 Let p(l) = -926*l**3 + l**2 - 4*l - 4. Let o be p(-1). Let g be o/6*((-16)/6)/4. Let m = 210 + g. What is the units digit of m? 7 Suppose 67*m + 10 = 65*m, 5*p - 27630 = 5*m. What is the tens digit of p? 2 Let d = -339 - -200. Let s = d + 209. What is the units digit of s? 0 Suppose -14302 = -644*h + 632*h + 55070. What is the thousands digit of h? 5 Suppose 568092 = 24*b - 9*b + 6*b. What is the hundreds digit of b? 0 Suppose 61849 = 2*h + 11159. What is the tens digit of h? 4 Let j(m) be the third derivative of 0*m + 1/3*m**3 + 1/8*m**4 + 26*m**2 + 1/30*m**6 - 1/15*m**5 + 0. What is the tens digit of j(2)? 2 Let w be ((-140)/(-21) - 6)*-3273. What is the hundreds digit of (-1)/(-3) + w/(-6)? 3 Let r = 7881 + -6165. What is the units digit of r? 6 Let r(n) = 16*n**2 + 95*n + 88. What is the tens digit of r(22)? 2 Let z be 1*(8/3 - 4/6). Suppose 10 = 4*b + x, x - 12 = -z*b + 4*x. Suppose 0 = 2*l, -l - b*l = t - 195. What is the tens digit of t? 9 Let a = 1020 - 654. Suppose -4*h + 1685 = -5*d, a = -3*h + 3*d + 1629. What is the units digit of h? 0 Suppose 6138 = y - g, 0 = -5*y + 4*g + 6680 + 24009. What is the tens digit of y? 3 Let u be (-3)/(-4) + 315/28. Suppose 382 = u*b - 62. What is the tens digit of b? 3 Let o be (2/(-4))/((-54)/(-36))*0. Suppose -4 = -g, -c + o*g = -3*g - 12. What is the tens digit of c? 2 Suppose w + 4 = 8*m - 4*m, -2 = -5*w - 2*m. Suppose w = -4*d + 5*y + 370 + 300, 654 = 4*d + 3*y. What is the units digit of ((-9)/(-15))/(2 - 327/d)? 3 Let u be (-9 - 1)*(0 + 6/(-12)). Suppose 3*y + 2 = y, -u*y + 175 = -5*d. What is the units digit of (-668)/(-6) + 2 - (-12)/d? 3 Let z(c) = 37*c**2 - 2*c - 8. Let s be z(5). Let w = s + -622. What is the tens digit of w? 8 Let d(o) = -o**3 - 15*o**2 - 26*o + 8. Let s be d(-13). Suppose 0 = -11*u + 7*u - s. What is the tens digit of (-672)/(-10) - 1/(-10)*u? 6 Let d(p) be the third derivative of 1/60*p**5 + 0 + 0*p - 4*p**2 + 16/3*p**3 + 2/3*p**4. What is the tens digit of d(-15)? 1 Let a be (-735)/60 - -1*2/8. Let o be (-2 - 2) + 1416/a. Let k = o - -230. What is the units digit of k? 8 Let h = 551 + 64786. What is the hundreds digit of h? 3 Suppose 179 = 4*f - 189. Let r = f - 92. Suppose 0 = k - r*k + 5*y - 194, 3*y = -12. What is the units digit of k? 4 Suppose h - 132*b = -128*b + 10177, 20346 = 2*h - 4*b. What is the tens digit of h? 6 Suppose 11125 = 2*y + 5*f, 3*f = 5*y - 15777 - 11989. Suppose 6*k = y + 5359. What is the tens digit of (-3 - (-1)/1)/((-34)/k)? 0 Suppose 4*b = -5*w + 69, 0*b + 2*b - 3*w - 7 = 0. Suppose 4*q = -b*x + 9*x + 1758, -3*x + 2617 = -4*q. What is the hundreds digit of x? 8 Let k = 31541 - 13909. What is the tens digit of k? 3 Let b = -26 + -162. Let f = b - -550. Suppose -5*z + q + 156 + f = 0, 3*z + 5*q = 294. What is the tens digit of z? 0 Let n = 10487 - 5461. What is the tens digit of n? 2 Let w(m) = m + 12. Let p be w(-11). Let u be 24/32*p*24. Suppose 0 = 16*v - u*v + 42. What is the tens digit of v? 2 Let i be -1*((-2)/(-2) - -66). Let f = i + 73. What is the units digit of (9/f)/((-1)/(-10)*5)? 3 Let u(v) = -246*v - 208. What is the thousands digit of u(-12)? 2 What is the tens digit of (15/(-60))/((-2)/31576)? 4 Suppose -2*i - 6 = 0, -s - 20*i + 863 = -15*i. Suppose 0 = -3*g - 9, -4*x + 5*g + s + 1389 = 0. What is the tens digit of x? 6 Let j(i) = 12*i**2 - 6*i + 9. Let p(v) = 3*v**2 + 2*v - 1. Let y = 56 - 55. Let l be p(y). What is the hundreds digit of j(l)? 1 Let h be ((-2)/3)/(22/(-30426)). What is the tens digit of -2*(h/(-20) + (-27)/(-45))? 9 Let m = 76 + -160. Let t = 190 + m. What is the units digit of t? 6 Let m(c) = -3*c**3 - 98*c**2 + 136*c - 163. What is the thousands digit of m(-38)? 7 Suppose 4*z - 2*r - 49010 = 0, -5*z + 2*z - r = -36750. What is the tens digit of z? 5 Suppose 15*a = 56 + 19. Suppose -2*f - g + 860 = f, -a*g = f - 296. What is the hundreds digit of f? 2 Let z = 48962 - 29506. What is the ten thousands digit of z? 1 Let i be (2/5)/((-5)/(-75)). Let k(p) = -20*p - 58. Let o(y) = 203*y + 581. Let j(z) = -21*k(z) - 2*o(z). What is the units digit of j(i)? 0 Let l(b) = 4*b**3 - 2*b**2 + 10*b + 17. What is the ten thousands digit of l(17)? 1 Let n(f) = -f**3 + 71*f**2 - 31*f + 969. What is the hundreds digit of n(66)? 7 Let c be ((-1 - 3) + 130)*1. Suppose -t - 185 = -4*t - 2*a, -2*t - 4*a = -c. Let g = t + 10. What is the tens digit of g? 7 Suppose -z - 233 = 7*c - 5*c, 3*z = -5*c - 585. Let n = c - -114. What is the tens digit of (-86)/4*(-2 - n)? 4 Suppose -12*j + 280 = -5*j. Let u = -38 + j. What is the units digit of 2/((-16)/u) + 293/4? 3 What is the tens digit of (-4)/(-144)*4 + 1910479/531? 9 Suppose -11*x + 3*x + 42998 + 34762 = 0. What is the tens digit of x? 2 Let k(i) = -16*i - 35. Let p(h) = 1. Let b(q) = k(q) + 4*p(q). Let v be -2*-7*2/(-4). What is the tens digit of b(v)? 8 Suppose -103 = 7*f + 2. What is the hundreds digit of 300 + -2 + (-22 - f)? 2 Suppose 0 = 4*z + 2*d + 356, -z + 5*d - 57 - 32 = 0. Let t = -83 - z. Suppose -417 - t = -3*m. What is the tens digit of m? 4 Suppose 146*s - 282359 - 271711 = 0. What is the units digit
Trafalgar Square, London Trafalgar Square is London’s largest square and has been a favourite congregation place for the quintessential Londoners since the Middle Ages. In those days, the site was known as Charing Cross. Significantly, the Trafalgar Square tube station is still named Charing Cross instead of Trafalgar Square. This beautiful square is primarily a commemoration square in honour of the then British Navy who, under the astute leadership of Admiral Nelson, secured a hard-fought victory over the marauding Napoleon fleet in the infamous Battle of Trafalgar way back in the year 1805. The present Trafalgar Square was possible because of the efforts of the renowned town planner and architect Charles Barry. He came out with the “Charing Cross Improvement Scheme” and transformed this area into one of London’s most picturesque squares where both resident Londoners as well as visitors from abroad could have a jolly good time. Trafalgar Square is the intersection for some of London’s most famous streets like the Strand, the Mall, White Hall and Charing Cross. By far, the best way of appreciating the beauty of the peripheral areas of the square is by walking leisurely at your own pace and taking in the sights and sounds of this intriguing area of London. Westminster, 10 Downing Street and Buckingham Palace are all reachable through pleasant walks and who knows you might even catch a glimpse of the regal “changing of guards” ceremony. A visit to Trafalgar Square is incomplete without feeding the resident pigeons numbering around 4,000. Generations of visitors to Trafalgar Square have fed these pigeons. Trafalgar Square Map Location Map of Trafalgar Square Facts about Trafalgar Square Trafalgar Square has the rare distinction of housing the smallest police station in London. Hollywood diva Elizabeth Taylor can be seen posing with pigeons at Trafalgar Square in a well preserved 1948 photograph at the hallowed National Gallery. The square is also used for political gatherings and demonstrations. Where is Trafalgar Square? Trafalgar square is located in central London in the Westminster area. The nearest London Underground stations are Charring Cross, Embankment, Leicester Square and Piccadilly Circus. The bus is also a good option. Best time to visit Trafalgar Square Christmas witnesses this place turned into a marvel with the city of Oslo’s gift of the largest Christmas tree. It is hence a good bet to visit this place on Christmas eve. New Year’s Eve is a similarly festive time at Trafalgar Square.
399 F.Supp. 1106 (1975) In re AIR CRASH DISASTER AT BOSTON, MASSACHUSETTS ON JULY 31, 1973. No. 160. United States District Court, D. Massachusetts. August 21, 1975. *1107 Speiser & Krause, New York City, Stephen T. Keefe, Jr., Quincy, Mass., Abner R. Sisson, Boston, Mass., Milton G. Sincoff, Maurice L. Noyer, New York City, Joseph P. Donahue, Jr., Lowell, Mass., Robert E. Perez, Wagner, Cunningham, Vaughan, Hapner & May, Tampa, Fla., Stephen J. Frasca, Nashua, N. H., MacFarlane, Ferguson, Allison & Kelly, Tampa, Fla., Edward Swartz, Michael B. Latti, Boston, Mass., John I. Van Voris, T. Paine Kelly, Jr., Tampa, Fla., Shane Devine, Arthur A. Greene, Manchester, N. H., Peter V. Millham, Laconia, N. H., Leonard S. Green, Dort S. Bigg, Manchester, N. H., Ronald L. Snow, Concord, N. H., Richard E. Davis Associates, Barre, Vt., Kolvoord, Overton & Wilson, Essex Jct., Vt., Paul, Frank & Collins, Gravel & Shea, Dinse, Allen & Erdmann, McNamara & Fitzpatrick, Latham, Estman & Tetzlaff, Burlington, Vt., Theodore Corsones, Rutland, Vt., Wool & Murdoch, Burlington, Vt., for plaintiffs. Robert Fulton, Boston, Mass., George N. Tompkins, Jr., Condon & Forsyth, New York City, Robert L. Chiesa, Manchester, N. H., Ryan, Smith & Carbine, Rutland, Vt., for Delta Air Lines. John M. Harrington, Jr., Boston, Mass., Crowe, McCoy, Agoglia, Congdon & Zweibel, Mineola, N. Y., for McDonnell Douglas Corp. Andrew B. Goodspeed, Boston, Mass., for Sperry Rand. Michael J. Pangia, Trial Atty., Torts Section, Aviation United Civ. Div., Dept. of Justice, Washington, D. C., for United States. OPINION AND ORDER CAFFREY, Chief Judge. These actions for wrongful death arise out of the crash of a Delta aircraft in Boston, Massachusetts on July 31, 1973. By order of the Judicial Panel on Multi-district Litigation, cases were transferred to this Court from the district courts in New Hampshire, Vermont and Florida for consolidated and coordinated pretrial proceedings pursuant to 28 U.S. C.A. § 1407 (Supp.1975). Cases were also transferred to this Court from New York pursuant to sections 1404(a) and 1407 of the Judicial Code. Jurisdiction is predicated solely on diversity of citizenship. This matter came before the *1108 Court on motions by defendant Delta Airlines, Inc. seeking a ruling that the two hundred thousand dollar limitation on damages contained in the Massachusetts Wrongful Death Act in effect at the time of the crash, 1972 Mass.Stat. ch. 440, § 1,[1] applies to the actions filed in the federal courts of Vermont, New Hampshire, Florida and New York, as well as to those originally filed in this district. A federal court sitting in diversity must apply the substantive law of the forum state including its choice of law rules. Klaxon v. Stentor Elec. Co., Inc., 313 U.S. 487, 61 S.Ct. 1020, 85 L. Ed. 1477 (1941); Erie R.R. Co. v. Tompkins, 304 U.S. 64, 58 S.Ct. 817, 82 L.Ed. 1188 (1938). Similarly, a United States District Court to which an action is transferred pursuant to 28 U.S.C.A. § 1407 must apply the substantive law of the transferor state and circuit. In re Four Seasons Securities Law Litigation, 370 F.Supp. 219 (W.D.Okl.1974); In re Plumbing Fixtures Litigation, 342 F. Supp. 756 (Jud.Pan.Mult.Lit.1972); Philadelphia Housing Authority v. American Radiator & Standard Sanitary Corp., 309 F.Supp. 1053 (E.D.Pa.1969). See Van Dusen v. Barrack, 376 U.S. 612, 84 S.Ct. 805, 11 L.Ed.2d 945 (1964). Therefore, the applicable damage provisions must be determined in each case by applying the substantive law of the original forum, including its choice of law rules. Although there are differences among the complaints filed in each state, no determinative factual distinctions exist within the group of cases filed in each state whence these cases came and therefore a general ruling may be made as to the law applicable to all of the actions filed in each state. 1. Vermont The basis of Delta's motions to dismiss the actions filed in Vermont to the extent that they seek damages in excess of two hundred thousand dollars is the contention that Vermont adheres to the lex loci delicti choice of law rule in tort actions and therefore that the law of Massachusetts, the place of injury, controls these actions. The plaintiffs concede that Vermont was at one time a lex loci delicti state in regard to choice of law issues but maintain that today the Vermont Supreme Court, were it presented with the instant case, would discard that rule in tort actions and adopt the "significant contacts" rule of the Second Restatement of Conflicts as it has already done in contract actions. See Pioneer Credit Corp. v. Carden, 127 Vt. 229, 245 A.2d 891 (1961).[2] In response, Delta contends that there exists clear precedent in the Supreme Court of Vermont applying the lex loci rule in tort actions and specifically in wrongful death actions and that this Court is bound under Erie and Klaxon to follow these decisions. *1109 Delta's interpretation of this Court's function in diversity cases under the Erie doctrine is overly restrictive. Early decisions of the Supreme Court represented by Fidelity Union Trust Co. v. Field, 311 U.S. 169, 61 S.Ct. 176, 85 L.Ed. 109 (1940), which required automatic application of state court decisions have now been discredited. See Bernhardt v. Polygraphic Co. of America, 350 U.S. 198, 76 S.Ct. 273, 100 L.Ed. 199 (1956). The rulings of a highest state court must be taken as controlling "unless it can be said with some assurance that [that] Court will not follow them in the future." Meredith v. Winter Haven, 320 U.S. 228, 64 S.Ct. 7, 88 L.Ed. 9 (1943). This is clearly the view of the Second Circuit. "[D]ue to the continuing development of, and the ongoing changes in, today's concepts of legal liability, we, in determining the state law that we are to apply, cannot permit ourselves to be confined by state court decisional approaches if we have sound grounds to believe that the highest state court would in a case like ours adopt a different approach than approaches in prior cases." Calvert v. Katy Taxi, Inc., 413 F.2d 841, 846 (2 Cir. 1969). See Warner v. Gregory, 415 F.2d 1345 (7 Cir. 1969), cert. dismissed, 397 U.S. 930, 90 S.Ct. 817, 25 L.Ed.2d 112; Roginsky v. Richardson-Merrell, Inc., 378 F.2d 832 (2 Cir. 1967) (On Petition for Rehearing En Banc); Strubbe v. Sonnenschein, 299 F.2d 185 (2 Cir. 1962). In Hausman v. Buckley, 299 F.2d 696 (2 Cir.), cert. den., 369 U.S. 885, 82 S.Ct. 1157, 8 L.Ed.2d 286 (1962), relied upon by Delta, the Court explicitly recognized that the function of a federal court sitting in diversity is to ascertain what state law "is". Hausman, 299 F.2d at 704. (Emphasis added.) To the extent that Hausman may be read, as it is by Delta, to indicate that where there is a clearly enunciated state rule, automatic adherence to it by federal courts is required, Hausman is contrary to the established position of the Second Circuit. "[W]hen a federal court must determine state law, it should not slavishly follow lower or even upper court decisions but ought to consider all the data the highest court of the state would use. See Corbin, The Laws of the Several States, 50 Yale L.J. 762 (1941). Such is the established position of this court." Roginsky, 378 F.2d at 851. (Emphasis added and citations omitted.) A review of Vermont decisions reveals that the most recent case in which the Vermont Supreme Court applied the lex loci rule in a tort action is Goldman v. Beaudry, 122 Vt. 299, 170 A.2d 636 (1961). That case was decided before the Restatement Second adopted in § 145 the "significant contacts" approach in tort cases and both parties in their briefs in Goldman assumed the applicability of the lex loci rule. Thus, the Vermont Supreme Court has never been presented with an opportunity to reconsider application of the lex loci rule in tort actions in favor of a modern approach. A review of the Vermont cases in which the lex loci delicti rule has been applied suggests the conclusion that it was adopted and applied in Vermont for no other reason than because it was the prevailing rule. As authority for its application, the Vermont Supreme Court relied on decisions of New Hampshire, New York and Pennsylvania, all of which have abandoned the lex loci rule,[3] and the First Restatement of Conflicts, Goldman, supra; Brown v. Perry, 104 Vt. 66, 156 A. 910 (1931). It is not necessary that the decisions of a state court be explicitly overruled in order to lose their persuasive force as indications of what the law is. Mason v. American Emery Wheel Works, 241 F.2d 906 (1 Cir. 1957). In the instant case the abrogation of the lex loci rule by the very authorities relied upon by the Vermont Supreme Court in its decisions applying *1110 the rule unquestionably weakens the presidential value of those Vermont decisions. This is especially true in view of the absence in the Vermont decisions of any manifestation of commitment to the rationale of the lex loci rule. It is significant that in Pioneer Credit Corp. v. Carden, 127 Vt. 229, 245 A.2d 891 (1961), the Vermont Supreme Court applied the Restatement Second approach to choice of law problems in a contract case.[4] This ruling constitutes persuasive evidence that the lex loci delicti rule of the First Restatement is no longer the law of Vermont in tort actions. It would be illogical for this Court to conclude that the Vermont Supreme Court would refuse to adopt the Restatement Second approach in tort cases in light of its receptivity to the modern choice of law approach in contract cases and the readiness with which it abandoned the traditional choice of law rule lex loci contractus. Compare Pioneer Credit Corp. v. Carden, supra, and Boston Law Book Co. v. Hathorn, 119 Vt. 416, 127 A.2d 120 (1956), with Resource Holding Co. v. Shoff's Estate, 105 Vt. 144, 163 A. 768 (1933) and Smith v. Anderson, 70 Vt. 424, 41 A. 441 (1891). Also relevant to a determination of whether the Vermont Supreme Court would apply the traditional rule in these cases is the fact that the majority of courts which have considered the question have abandoned the lex loci rule in favor of a more flexible approach which permits analysis of the policies and interests underlying the particular issue before the Court.[5] Additionally, the commentators are overwhelmingly opposed to its retention and, although they disagree as to a substitute approach, all advocate a method which allows Courts to focus on the policies underlying the conflicting laws, the needs of the parties and the governmental interests which will be advanced by their application.[6]*1111 The ease with which the Vermont Supreme Court applied the significant contacts rule in Pioneer indicates that the main advantage of the traditional rule — ease in determining the law to be applied — would not impress that court as a convincing reason for retaining it. The other advantage of the traditional approach to choice of law, predictability of result, is not a strong consideration in tort cases which have their origin in purely fortuitous occurrences. This Court is mindful of its duty under Erie to ascertain and apply state law and is cognizant of the fact that it is not free simply to adopt the better rule of law. However, consideration of the decisions of the Vermont Supreme Court applying the lex loci delicti rule in light of that Court's adoption of the Restatement Second approach to contractual choice of law questions and in view of the widespread rejection of the traditional rule by other courts, including those jurisdictions which historically have influenced the course of Vermont law, compels the conclusion that the Vermont Supreme Court would abandon the lex loci rule and would apply the "significant contacts" rule set forth in § 145 of the Restatement Second to determine the law governing the damages recoverable in these actions. This conclusion is reinforced by the opinion of the Vermont District Court in LeBlanc v. Stewart, 342 F.Supp. 773 (D.Vt.1972). There Judge Holden held that the Vermont Supreme Court would apply the Restatement Second approach in a tort action where the issue presented was which state's law would apply to determine whether intra-family tort immunity would bar the suit.[7] The court distinguished Goldman, supra, on the ground that the question of family immunity had no bearing on that decision. While this distinction is consistent with a federal court's duty to decide as little state law as is required, it is clear that the Court in LeBlanc at the very least carved an exception to the rule enunciated in Goldman which was a broad pronouncement that all rights and liabilities in a tort action are determined in accordance with the lex loci delicti. A very recent decision of the Vermont Supreme Court further reinforces this conclusion. In Zaleski v. Joyce, 333 A. 2d 110 (1975), the Court adopted the contemporary doctrine of strict products liability set forth in § 402(A) of the Restatement (Second) of Torts. This decision is indicative of that court's tendency to be influenced by the Restatement, of which Judge Holden took note in LeBlanc, supra, and also of its willingness to bring its jurisprudence into accord with the modern view. See Boston Law Book Co., supra and Pioneer Credit Corp., supra. Section 145 of the Restatement Second provides that the applicable law with respect to an issue in tort is that of the state which has the more significant relationship with respect to that issue, to the occurrence and to the parties. General principles governing the choice of law include considerations relative to the interests of each state in having its law applied to the issue, the needs and interests of the parties, the needs of judicial administration, the promotion of interstate order, and the basic policies underlying the field of law. Restatement 2d § 6.[8] Contacts relevant to tort actions include: place of injury, *1112 place of conduct, domicile of the parties and the place where the relationship between the parties is centered. The weight to be given these contacts depends on their relevance to the particular issue. Restatement 2d § 145(2). The relevant facts to the determination of applicable law are as follows: The decedents were domiciled in Vermont and their estates are being probated in Vermont. For the most part, next of kin of decedents for whose benefit damages are recoverable in these actions are residents of Vermont. The decedents purchased their plane tickets in Vermont, boarded the aircraft in Vermont and expected to return to Vermont. The accident occurred in Massachusetts. Delta does business in both Massachusetts and Vermont. The policy underlying each statute is an important consideration in determining which state has the more significant connection with the issue. The policy underlying the Vermont statute is clearly compensatory. "The court or jury . . . may give such damages as are just, with reference to the pecuniary injuries resulting from . . . death." Vt.Stat.Ann. tit. 14, § 1492(b) (1974). The applicable Massachusetts statute, in contrast, is punitive. Damages of up to two hundred thousand dollars are "to be assessed with reference to . . . culpability." 1972 Mass.Stat., ch. 440, § 1. The Vermont statute thus conforms to the policy of compensation which underlies the theory of recovery in all tort actions. Application of the Massachusetts statute would frustrate Vermont's compensatory policy in cases involving injuries to its residents and would not further the policy of deterring wrongdoing. Although its application may further a concomitant Massachusetts policy of protecting citizens from excessive liability, Delta is not a resident of Massachusetts. Its connection with Massachusetts is no more substantial than its connection with Vermont. The interest of each state in the application of its own law is an important consideration. Vermont has a strong interest in assuring that next of kin are fully compensated for the tortious deaths of residents. On the other hand it is difficult to identify any interest of Massachusetts to be furthered by application of the punitive death statute which it repealed shortly after the crash and replaced with a compensatory wrongful death act which does not limit damages. Mass.Gen.Laws Ch. 229, § 2 (1974). The consideration of judicial administration is a neutral one since the conflicting laws are statutory rules and neither is difficult to apply. Because Massachusetts' current policy with respect to theory and amount of recovery in wrongful death actions parallels that of Vermont, consideration of the needs of the interstate systems points to application of Vermont law. In summary, Massachusetts' sole contact with this litigation is the happenstance that the accident occurred there. This contact alone is insufficient to support application of the damages provision of its statute to cases in which both parties are nonresidents, especially since now under Massachusetts law the right to recover for wrongful death is not created by the statute. Gaudette v. Webb, 362 Mass. 60, 284 N.E.2d 222. Cf. Kilberg v. Northeast Airlines, Inc., 9 N.Y. 2d 34, 211 N.Y.S.2d 33, 172 N.E.2d 526 (1961). No relevant choice-influencing consideration points to the application of the now repealed Massachusetts law to the damages issue. In contrast, Vermont, residence of most plaintiffs and all of their decedents and the place where the relationship between the parties was centered, has a direct and substantial interest in the application of its law to the issue of damages. It is clearly the state which has the most significant relationship to the parties and to the occurrence with respect to this issue. Accordingly, in those cases originally filed in the District of Vermont, Delta's motions to dismiss the complaints to the extent they seek damages in excess of two hundred thousand dollars are denied. *1113 2. New Hampshire The basis of Delta's motions to dismiss in those cases originally filed in New Hampshire is its contention that under the whole law of New Hampshire the Massachusetts Wrongful Death Statute controls these actions. In response, the plaintiffs assert that the New Hampshire Wrongful Death Statute, which imposes no limitation on damages when a decedent is survived by a dependent, controls in these actions.[9] New Hampshire law, including its choice of law rules, governs the disposition of these motions. Klaxon, supra. Delta argues that New Hampshire adheres to the lex loci delicti rule and therefore would apply the law of Massachusetts, the place of injury. However, as plaintiffs point out, the Supreme Court of New Hampshire in Clark v. Clark, 107 N.H. 351, 222 A.2d 205 (1966), expressly abandoned the lex loci delicti rule and held that choice of law in each case is to be based on an analysis of five relevant considerations, namely (1) predictability of results; (2) the maintenance of reasonable orderliness and good relationships among states in the federal system; (3) simplification of the judicial task; (4) advancement of the forum-state's governmental interests; and (5) the sounder rule of law. 107 N.H. 354-55, 222 A.2d at 208-209.[10] "Generally the law of the State which has the more substantial connection with the total facts and with the particular issue being litigated will govern." Schneider v. Schneider, 110 N.H. 70, 71, 260 A.2d 97, 98 (1969). In each of these actions instituted in New Hampshire the relevant facts for the purposes of this motion are as follows. With one exception, plaintiffs are citizens and residents of the State of New Hampshire, as were all of their decedents at the time of their deaths. Defendant Delta is a corporation organized under the laws of Delaware with its principal place of business in the State of Georgia. Delta does business and solicits passengers in both Massachusetts and New Hampshire. All of plaintiffs' decedents bought their tickets in New Hampshire, for a trip from Manchester directly to New York City; and all expected to return to New Hampshire. The airplane crashed in Massachusetts. Applying the five choice-influencing considerations enunciated in Clark to these facts I find that the law which applies to the issue of damages in these cases is that of New Hampshire. In Clark the court indicated that the weight to be given each consideration depends upon its relevance to the type of case. The factor of predictability of result is to be accorded little weight in cases like the instant one where the transaction giving rise to the issue is unplanned, i. e., neither party acted in reliance that a particular law would govern this issue. In addition, because these cases were transferred from the federal district court in New Hampshire pursuant to 28 U.S.C.A. § 1407 and this court is therefore obliged to apply the law of New Hampshire, the factor of simplification of the judicial task is not a consideration in a Section 1407 transferred case. With respect to the second factor, maintenance of reasonable orderliness *1114 and good relationships among the states in our federal system, the Court in Clark stated: "In terms of interstate . . . accident litigation . . . no more is called for under this head than that a court apply the law of no state which does not have a substantial connection with the total facts and with the particular issue being litigated." 107 N.H. 351, 354, 222 A.2d at 208. The substantiality of New Hampshire's connection with the issue of damages recoverable for the deaths of its own residents is obvious. The interests of Massachusetts in damages recoverable for the deaths of nonresidents seem to be limited to its interest in deterring wrongful conduct within its borders and in limiting the liability incurred by defendants doing business in the state, both of which interests I rule are materially and substantially less than that of New Hampshire in adequately providing for survivors of its own resident decedents. The remaining two factors also point to the application of New Hampshire law. The advancement of the forum-state's governmental interests is an important consideration. New Hampshire's interest in the present issue is twofold. Its primary interest arising from its role as parens patriae is to assure that the decedents' dependents are fully compensated for losses occasioned by tortious conduct. This interest is particularly compelling in view of the fact that resident dependents who are not adequately compensated might find it necessary to look to the state for support. To a much lesser extent New Hampshire's governmental interest lies in imposing liability calculated to deter future tortious conduct upon her residents. Analysis of the two statutes reveals that New Hampshire's governmental interest will be best served in these cases by application of her own statute. The New Hampshire statute is basically compensatory. There is no limitation on damages recoverable by plaintiffs whose decedents leave dependents. See Buck v. Roger L. Garland and Son Construction Co., Civ.Action No. 72-20 (D.N.H. Sept. 14, 1973). The Massachusetts statute in effect at the time of the crash was, in contrast, punitive. It provided for a two hundred thousand ($200,000) dollar ceiling on damages in every case and that damages are "to be assessed with reference to the degree of . . . culpability." It sought to effectuate two policies: (1) to protect its citizens from excessive liability; and (2) to regulate conduct by imposing liability in proportion to fault. See Tiernan v. Westext Transport Inc., 295 F.Supp. 1256 (D.R.I.1969). Since Delta conducts substantial and continuous business in New Hampshire, New Hampshire has an interest equal to that of Massachusetts in protecting that corporation from excessive liability. However, this interest is clearly out-weighed by its interest in securing full compensation for its decedents' dependents. To the extent that Clark might require consideration of the advancement of the governmental interests of Massachusetts, which, as the place of injury, has a not insubstantial connection with this litigation, the fact that Massachusetts has repealed the punitive death statute in effect at the time of the crash and enacted a compensatory statute which contains no limitation on damages, Mass.Gen.Laws ch. 229, § 2 (1974), establishes that no interest of Massachusetts will be frustrated by application of the compensatory New Hampshire statute. With respect to the final consideration, as between the Massachusetts punitive statute and the New Hampshire statute, the New Hampshire statute is a better rule of law. These wrongful death actions are actions in tort for negligence. The New Hampshire statute more closely conforms with the policy of compensation which underlies the theory of damages in all tort actions. See Buck, supra. Cf. Maguire v. Exeter & Hampton Elec. Co., 325 A.2d 778 (N.H.1974). *1115 Accordingly, it is ordered that Delta's motions to dismiss these complaints to the extent that they seek damages in excess of two hundred thousand ($200,000) dollars are denied. 3. Massachusetts These actions for wrongful death were filed initially in this Court by plaintiffs who are respectively citizens and residents of the Commonwealth of Virginia and the States of Kentucky and New Hampshire, as were their respective decedents at the time of their deaths. The basis of Delta's motions to dismiss these complaints to the extent damages in excess of two hundred thousand dollars are sought is its contention that the applicable law is that of Massachusetts. Under Erie, this Court is bound to apply the law of Massachusetts, including its choice of law rules. Klaxon, supra. Massachusetts adheres to the traditional lex loci delicti choice of law rule in tort cases so that all substantive aspects of a cause of action are governed by the law of the place where the injury occurred. Brogie v. Vogel, 348 Mass. 619, 205 N.E.2d 234 (1965); Trudel v. Gagne, 328 Mass. 464, 104 N.E.2d 489 (1952); Burke v. Lappin, 299 N.E.2d 729 (Mass.App.1973). See Doody v. John Sexton & Co., 411 F.2d 1119 (1 Cir. 1969).[11] Therefore, these actions for wrongful death are governed by the Massachusetts Wrongful Death Statute in effect at the time of the crash including the limitation on damages.[12] Plaintiffs contend that the Massachusetts courts would not adhere to the above analysis in these cases. Making novel use of the "false conflicts" doctrine,[13] plaintiffs argue as follows: 1. Massachusetts has no interest in the application of its abrogated ceiling on damages in a multistate *1116 tort case involving nonresidents. 2. Therefore, there is no "true" conflict or choice of law problem and no basis for applying the law of the place of the injury; and 3. The Court may allow an unlimited amount of recovery . . . for actual damages sustained. Plaintiffs' argument is specious Even if the Massachusetts choice of law rules permitted this Court to employ a governmental interest analysis test to determine whether a "true conflict" exists,[14] plaintiffs have not urged application of the law of any state other than Massachusetts. They do not identify the source of the law they seek to have applied. Absent an assertion by either plaintiffs or defendant that the law of a state other than Massachusetts controls this issue, no choice of law question is presented and ipso facto Massachusetts law governs. It is evident that the real "conflict" to which plaintiffs address themselves is the difference between the Massachusetts statute in effect at the time of the crash which is punitive and limits damages and the Massachusetts statute which became effective on January 1, 1974[15] which is compensatory and does not limit damages. Mass.Gen.Laws ch. 229, § 2 (1974). However, this difference as to theory and amount of recovery does not constitute a legal conflict — the statutes do not apply and cannot be applied to the same transactions. In substance plaintiffs ask this court to alter the effective date of the current Massachusetts legislation. The court is no more free to do so than the Supreme Judicial Court of Massachusetts. Accordingly, Delta's motions to dismiss so much of these claims as seek damages in excess of two hundred thousand dollars per decedent are allowed. 4. Florida These actions for wrongful death were commenced in the United States District Courts for the Middle and Southern Districts of Florida, thus this Court must apply the law of Florida, including its choice of law rules. Klaxon, supra. Plaintiffs' decedents were residents of Florida. The complaints allege causes of action in tort for negligence and in contract for breach of contract of safe carriage. In each of its answers defendant Delta interposed the following affirmative defense: "The liability of Defendant Delta . . ., if any, is limited to a sum not in excess of Two Hundred Thousand Dollars ($200,000) in accordance with the laws of the Commonwealth of Massachusetts applicable hereto." Plaintiffs move to strike this defense on three grounds. They assert that the Florida Supreme Court would refuse to apply the Massachusetts Wrongful *1117 Death Statute's limitation on damages in these cases because that limitation is against the public policy of Florida as declared by the Florida Legislature. As to the counts in contract, they contend that under the Florida choice of law rules the applicable law is that of Florida, the place where the contracts were made, and, therefore, the limitation on damages contained in the Massachusetts statute does not apply to the cause of action in contract. Lastly, they assert that the lex loci delicti choice of law rule in tort would not be followed by the Florida Supreme Court in these cases, that that court would adopt the Restatement 2d approach and would apply Florida law to the issue of damages because that state has the most significant relationship to that issue. In support of their contention that the Florida courts would refuse to grant comity to the Massachusetts limitation on damages, plaintiffs rely upon the recent case of Gillen v. United Services Automobile Ass'n, 300 So.2d 3 (Fla. 1974) and upon recent amendments to the Florida Wrongful Death Act, Fla. Stat.Ann. § 768.16 et seq. (Supp.1975). Defendant contrariwise argues that the Florida Supreme Court specifically held in Hopkins v. Lockheed Aircraft Corp., 201 So.2d 743, 749 (Fla.1967), on petition for rehearing, that a limitation on damages contained in an applicable foreign statute is not repugnant to the public policy of Florida. In Gillen, supra, the issue presented was whether the law of New Hampshire which enforces "other insurance" clauses or that of Florida which refuses to enforce such clauses governed. The insurance policies containing the clause in question had been delivered to the insureds in New Hampshire before they moved to Florida. The cars were garaged in Florida at the time of the accident giving rise to the dispute and appropriate notice of the move had been given to the insurance company. The defendant insurance company argued that the law of New Hampshire, the locus of the contract, governed whereas plaintiff urged the court to apply the Restatement 2d approach which requires application of the law having the most significant relationship to the transaction. The Court stated: "This Court has never adopted [the "significant contacts"] test, although consideration has been given to the subject. Hopkins v. Lockheed Aircraft Corporation, 201 So.2d 743 (Fla. 1967). Nor do we now deem it necessary to adopt or reject it, for . . such a determination is unnecessary to the resolution of this cause." 300 So.2d at 6 (Emphasis added.) The Florida Supreme Court did analyze the relative interests of each state in the issue presented. It did so, however, within the framework of the principles of comity, and held that "Public policy requires this Court to assert Florida's paramount interest in protecting its own from inequitable insurance arrangements." Id. at 7. The issues raised by this motion are identical to those presented to the Florida Supreme Court in Gillen; namely, (1) whether Florida will adopt the Restatement Second approach to choice of law; and (2) whether the Florida courts will refuse to grant comity to a potentially applicable foreign law on the ground that it contravenes the public policy of Florida. Although it appears to this Court that it would be more logical to consider the choice of law issue first since technically no issue of comity is presented until it has been determined that a foreign law does in fact apply to a transaction, it is appropriate under Erie that we follow the analysis of the Court in Gillen and not reach the choice of law issue left open by the Florida Supreme Court in that case unless necessary to the resolution of this case. As we read Gillen, it requires this Court to determine the public policy of each state with respect to a limitation on damages recoverable for wrongful death and to evaluate the reasons behind that policy. A prerequisite *1118 for the grant of comity in a case in which the policies of the two states are incompatible is "a significant interest of the foreign state in the issue to be adjudicated." 300 So.2d 7. Defendant Delta asserts that these cases are controlled by Hopkins v. Lockheed Aircraft Corp., supra. In Hopkins it was held that the Illinois death statute governed damages recoverable for the wrongful death of a Florida resident in an aircraft crash in Illinois. The Florida Supreme Court initially, in a 5-2 decision, abandoned the lex loci delicti rule and held that it would not apply the Illinois limitation on damages, although the accident occurred in Illinois. On rehearing, the Court, in express disagreement with the New York Court of Appeals in Kilberg v. Northeast Airlines, Inc., 9 N.Y.2d 34, 211 N.Y.S.2d 133, 172 N.E.2d 526 (1961), held, by a 4-3 vote, that the provision of the Illinois Wrongful Death Act which created a cause of action for wrongful death was not severable from another provision of that Act which placed a limitation on the maximum amount recoverable under that Act for the cause of action so created. They further stated: "We are unable to find . . . an overriding collision with public policy simply because the statute governing actions for death occurring in this state contains no damage limitation." 201 So.2d at 751. I rule that Hopkins does not control the instant cases and that the Florida Supreme Court would refuse to grant comity to the Massachusetts damages limitation and would apply the unlimited damages provision of the Florida death statute to these actions for the following reasons. First, under Massachusetts law plaintiffs have a cause of action for wrongful death independent of the Massachusetts death statute. In Gaudette v. Webb, 362 Mass. 60, 284 N.E.2d 222 (1972), the Supreme Judicial Court in holding that the right to recover for wrongful death is of common law origin specifically stated: "Consequently, our wrongful death statutes will no longer be regarded as `creating the right' to recovery for wrongful death." Id. at ___, 284 N.E.2d at 229. Therefore, it appears that the present case is distinguishable from Hopkins on an issue, the severability of the right of action from the limitation on damages, which at least one of the bare majority in that case deemed controlling. See Hopkins, 201 So.2d at 752. (concurring opinion of Thornal, J.). More importantly, in 1972 the Florida legislature enacted a revised Wrongful Death Act. At the time of the Hopkins decision, the operation of the Florida death statute was specifically limited to deaths "in this state." In revising the statute the Legislature deleted the words "in this state." Consequently, the operation of the damages provision of the Florida statute is no longer limited to in-state deaths. Fla.Stat.Ann. § 768.19. Lastly, in revising the death act, the Florida legislature added § 768.17 entitled "Legislative Intent" which provides in pertinent part: "It is the public policy of this state to shift the losses resulting when wrongful death occurs from the survivors of the decedent to the wrongdoer. . . ." In contrast, the policy underlying the former Massachusetts death statute is to protect citizen defendants from excessive liability and to regulate conduct by assessing damages solely on the basis of culpability. See Tiernen v. Westext Transport, Inc., 295 F.Supp. 1256 (D.R.I.1969). It is clear that this punitive policy and the absolute limit on damages contravene the public policy of Florida as declared by its Legislature in section 768.17. It is also clear to this Court that the Florida Supreme Court, which in Gillen states that "a prerequisite" for the application of comity is a significant interest of the foreign state in the issue to be adjudicated, would conclude, as we do, that Massachusetts has no present interest in the application of its former death statute to limit the damages recoverable by nonresident *1119 plaintiffs from a nonresident defendant in light of the fact that Massachusetts has recently adopted a compensatory death statute with an unlimited damages provision. Mass.Gen.Laws ch. 229, § 2 (1974). Florida, on the other hand, has a paramount interest in protecting its residents' economic health and in providing that the losses caused by tortious conduct be borne by the wrongdoer. I rule that the Supreme Court of Florida would find enforcement of the punitive Massachusetts damages provision obnoxious to Florida public policy and would hold that these cases are therefore inappropriate for the application of comity principles. Gillen, supra; see Manpower Franchises, Inc. v. Wilkinson, No. 74-198 (M.D.Fla. Sept. 23, 1974), where a federal district court refused to enforce an agreement not to compete on the ground that it was obnoxious to Florida public policy even though the clause was valid in Wisconsin and the parties had agreed that their contract would be governed by Wisconsin law. Furthermore, the law applicable to the issue of damages in these cases is the Florida Wrongful Death Act which contains no limitation on damages and which is not restricted to death occuring in Florida. Florida's connection with these cases is clearly substantial enough to support application of its own law. Scott v. Eastern Airlines, Inc., 399 F.2d 14 (3 Cir. 1968), cert. den., 393 U.S. 979, 89 S.Ct. 446, 21 L.Ed.2d 439. Resolution of the choice of law issues raised by plaintiffs' remaining contentions is therefore unnecessary and would be particularly inappropriate in view of the refusal of the Florida Supreme Court to reach the choice of law issue in Gillen. Plaintiffs' motion to strike the affirmative defense set forth in paragraph 22 of the answers are granted. 5. New York The New York cases, unlike the other cases discussed above, were transferred to this Court not only by the Multidistrict Litigation Panel under 28 U.S.C. § 1407, but also were transferred to this Court pursuant to section 1404(a) of the Judicial Code, 28 U.S.C.A. § 1404(a), which provides: "For the convenience of parties and witnesses, in the interest of justice, a district court may transfer any civil action to any other district or division where it might have been brought." They are before the Court on defendant's motions to dismiss plaintiffs' complaints to the extent that they seek damages in excess of two hundred thousand ($200,000) dollars on the ground that they are controlled by the Massachusetts Wrongful Death Act which limits damages recoverable for wrongful death to that amount. The issue presented by these motions — whether the forum non conveniens rules of the transferor jurisdiction (N.Y.) should affect the law applied after a section 1404(a) transfer — appears to be one of the first impression.[16] In Van Dusen v. Barrack, 376 U.S. 612, 84 S.Ct. 805, 11 L.Ed.2d 945 (1964), the Supreme Court considered the question of choice of law rules applicable in a transferred case and held that the transferee court shall apply the rules which the transferor court would have been bound to apply. However, the Court expressly limited its holding to the facts of Van Dusen, which involved a transfer requested by a defendant in a case where it was not asserted that the state courts of the transferor jurisdiction would have *1120 dismissed the action on forum non conveniens grounds, stating: "[W]e do not and need not consider whether in all cases § 1404(a) would require the application of the law of the transferor, as opposed to the transferee, State. We do not attempt to determine whether, for example, the same considerations would govern if a plaintiff sought transfer under § 1404(a) or if it was contended that the transferor State would simply have dismissed the action on the ground of forum non conveniens." 376 U.S. at 639-40, 84 S.Ct. at 821. The basis of Delta's motions to dismiss is its assertion that the instant cases would have been dismissed on forum non conveniens grounds had they been brought in the New York state courts. One of these cases, D'Arcy v. Delta Airlines, Inc., was originally commenced in the New York Supreme Court, New York County, and was in fact, dismissed on forum non conveniens grounds; the dismissal was affirmed by the Appellate Division of the Supreme Court of New York (D'Arcy v. Delta Air Lines, Inc., Affirmance of Order No. 1685, Jan. 23, 1975) and plaintiff's motion for leave to appeal has been denied by the New York Court of Appeals (D'Arcy v. Delta Air Lines, Inc., Mo. No. 166, March 19, 1975). For purposes of this memorandum it will be assumed, as Delta asserts, that all of these actions would have been dismissed on forum non conveniens grounds if brought in the New York state courts. This assumption is justified by a comparison of the files in these cases which reveals that the D'Arcy case has more connection with the State of New York than any of the other cases. Although the discretionary nature of the doctrine precludes absolute certainty, this Court has no doubt that all of these cases would have been dismissed on forum non conveniens grounds by the New York courts. In support of its motion Delta relies on Erie R. R. Co. v. Tompkins, 304 U.S. 64, 58 S.Ct. 817, 82 L.Ed. 1188 (1938). Delta does not assert, however, that Erie requires conformity by the New York Federal Court with the result which would have obtained in the state courts in these cases, i. e. dismissal. Nor does Delta contend that, had transfer to Massachusetts been denied by the New York court, the New York federal judge would not have been free to apply New York choice of law rules in these cases. See Parsons v. Chesapeake & Ohio Ry. Co., 375 U.S. 71, 84 S.Ct. 185, 11 L.Ed.2d 137 (1963). Such a contention would be untenable in view of Congress' enactment of 28 U.S.C.A. § 1404. Willis v. Weil Pump Co., 222 F.2d 261 (2 Cir. 1955); Lapides v. Doner, 248 F.Supp. 883 (E.D.Mich.1965). See Parsons, supra. Rather, Delta contends that because these actions do not fall within what it characterizes as the "narrow exception to the Erie doctrine" carved out by the Supreme Court in Van Dusen, supra, this Court, a federal court sitting in diversity, is required to apply the law of Massachusetts, the forum state. This analysis is overly simplistic. The Erie doctrine is not a mechanical rule. The Supreme Court in Van Dusen noted that the goal of Erie is uniformity between federal and state courts and that "in most instances this could be achieved by directing federal courts to apply the laws of the states `in which [the federal courts] sit.'" 376 U.S. at 638-39, 84 S.Ct. at 820. (Emphasis added.) Applying the Erie doctrine to the facts in Van Dusen the Court observed, "[W]e should ensure that the `accident' of federal diversity jurisdiction does not enable a party to utilize a transfer to achieve a result in federal court which could not have been achieved in the courts of the State where the action was filed." 376 U.S. at 638, 84 S.Ct. at 820, and concluded that application of the state law which would have been applied had there been no change of venue accorded with the Erie policy. The Erie analysis cannot, however, provide a solution to the forum non *1121 conveniens problem. Uniformity of result between the State and Federal courts in the transferor jurisdiction is precluded whenever a federal court transfers an action which the state court would have dismissed. The Supreme Court in Van Dusen established that the law to be applied after transfer is that of either the transferor or transferee jurisdiction.[17] In contrast to this narrow choice, after dismissal on forum non conveniens grounds plaintiff may again select a forum and exercise his venue choice so as to benefit from state law which appears favorable to him. An assumption that a plaintiff, after dismissal, would choose to bring his action in the transferee forum is plainly unjustified in any case in which another more favorable forum is open to him. The following variation upon the present factual situation further illustrates the unworkability of the Erie analysis in this context. It is established that "a prior state court dismissal on the ground of forum non conveniens can never serve to divest a federal district judge of the discretionary power" to rule on a section 1404(a) transfer. Parsons, 375 U.S. at 73-74, 84 S.Ct. at 187. (Emphasis added.) There will be diversity cases, therefore, in which the district court denies a transfer although the state court would have dismissed on forum non conveniens grounds. In such cases, absent independent federal choice of law rules, precluded by Klaxon v. Stentor Elec. Co., Inc., 313 U.S. 487, 61 S.Ct. 1020, 85 L.Ed. 1477 (1941), the district court has no alternative but to apply the law of the original forum because there is no transferee forum in such a case. Although the Supreme Court in Van Dusen found support in the Erie doctrine for its conclusion that no change of law accompanied transfer on the facts of that case, the primary consideration relied on by the Court was the legislative purpose of the transfer statute and the effect that a change of law after transfer would have upon the operation of the statute. The Court also acknowledged that it is a prerogative of plaintiffs to exercise the venue privilege so as to benefit from favorable state laws. The Court concluded: [The] legislative background supports the view that § 1404(a) was not designed to narrow the plaintiff's venue privilege or to defeat the state-law advantages that might accrue from the exercise of this venue privilege but rather the provision was simply to counteract the inconveniences that flowed from the venue statutes by permitting transfer to a convenient federal court. . . . We believe, therefore, that both the history and purposes of § 1404(a) indicate that it should be regarded as a federal judicial housekeeping measure, dealing with the placement of litigation in the federal courts and generally intended, on the basis of convenience and fairness, simply to authorize a change of courtrooms. 376 U.S. at 635-37, 84 S.Ct. at 819. Analysis of the effect that conditioning choice of law after transfer on the forum non conveniens rules of the transferor forum would have on the operation of the transfer statute is determinative of the issue presented. "The principle of forum non conveniens is simply that a court may resist imposition upon its jurisdiction even when jurisdiction is authorized by the letter of the general venue statute." Gulf Oil Corp. v. Gilbert, 330 U.S. 501, 507, 67 S.Ct. 839, 842, 91 L.Ed. 1055 (1947). The doctrine leaves much to the discretion of the court and in ruling on motions to dismiss courts may consider factors of both private and public interest, including considerations relative to the expense and practical difficulties *1122 engendered by trial in an inconvenient forum and matters relating to the administration of the court. Id. at 508-09, 67 S.Ct. 839. Engrafting upon section 1404(a) a rule which would make applicable law after transfer depend on whether the state courts of the transferor jurisdiction would have dismissed the action on forum non conveniens grounds would only engender litigation and force federal courts to make a determination which, because of the nature of the factors considered, can only properly be made by the local court: certainty and predictability would be precluded.[18] I rule that the forum non conveniens rules of the transferor forum do not affect choice of law after transfer and the applicable law is the whole law of the transferor forum. This conclusion is not entirely satisfactory. As defendant points out it encourages abuse of the venue laws by plaintiffs in search of laws favorable to their causes who, in many cases, can be reasonably sure that the defendant will seek transfer, thereby sparing them the expense of trial in an inconvenient forum. The Court does not believe, however, as defendant asserts, that any public policy of the state of New York is offended by this ruling. The very cases relied on by defendant to show the existence of a substantive policy of New York state to discourage recourse to its courts by forum-shopping plaintiffs establish that the focus of this policy is on the effect that such forum-shopping has upon its state judicial system. See, e. g., Silver v. Great American Ins. Co., 29 N.Y.2d 356, 328 N.Y.S.2d 398, 278 N.E.2d 619 (1971); Williams v. Seaboard Airlines R. R. Co., 9 A.D. 268, 193 N.Y.S.2d 588 (1959). An unavoidable consequence of this ruling may well be forum-shopping by plaintiffs; however, this forum-shopping will be confined to federal courts. No legitimate interest of New York State is impinged upon; abuse of federal venue laws is a matter of federal concern.[19] Deterrence of forum-shopping by plaintiffs should not be achieved at the expense of the smooth operation of the transfer statute. I rule that the forum non conveniens rules of the transferor forum do not affect applicable law after transfer and that these cases are controlled by New York choice of law rules. Under New York's choice of law rules, the law applicable to the theory and amount of damages recoverable for wrongful death is that of the domiciles of the decedents and their beneficiaries. Thomas v. United Airlines, Inc., 24 N.Y.2d 714, 301 N.Y.S.2d 973, 979, 249 N.E.2d 755, 759-60 (1969), cert. den. 396 U.S. 991, 90 S.Ct. 484, 24 L.Ed.2d 453; Long v. Pan American World Airlines, Inc., 16 N.Y.2d 337, 266 N.Y.S.2d 513, 213 N.E.2d 796 (1965); Kilberg v. Northeast Airlines, 9 N.Y.2d 34, 211 N.Y.S.2d 133, 172 N.E.2d 526 (1961). Because the wrongful death statutes of Connecticut,[20] Maryland,[21] and Vermont,[22] domiciles of decedents and their surviving spouses and children, do not limit damages recoverable by plaintiffs in the circumstances of these cases, defendants' motions to dismiss are denied. NOTES [1] 1972 Mass.Stat., ch. 440, § 1 reads in pertinent part: A person who . . . by his negligence causes the death of a person . . . shall be liable in damages in the sum of not less than five thousand, nor more than two hundred thousand dollars, to be assessed with reference to the degree of his culpability . . .. [2] Plaintiffs submit that their causes of action for breach of the contract of safe carriage are governed by the contractual choice of law rule adopted in Pioneer. While it appears that the wording of Vermont's wrongful death statute, Ver.Stat.Ann. tit. 14, § 1491 (1974), is broad enough to encompass actions based on contracts, see W. Prosser, Law or Torts § 127 (4th ed. 1971), I rule that the choice of law rule applicable to these counts, which are essentially actions to recover damages for negligent conduct causing death, is the tort choice of law rule regularly applied in actions for wrongful death resulting from negligence. Griffith v. United Air Lines, Inc., 416 Pa. 1, 203 A.2d 796 (1964); Kilberg v. Northeast Airlines, Inc., 9 N.Y. 2d 34, 311 N.Y.S.2d 133, 172 N.E.2d 526 (1961); see Scott v. Eastern Airlines, 399 F.2d 14 (3 Cir. 1967), cert. denied, 393 U.S. 979, 89 S.Ct. 446, 21 L.Ed.2d 439. [3] Clark v. Clark, 107 N.H. 351, 222 A.2d 205 (1966); Babcock v. Jackson, 12 N.Y.2d 73, 240 N.Y.S.2d 743, 191 N.E.2d 279 (1963); Griffith v. United Airlines, Inc., 416 Pa. 1, 203 A.2d 796 (1964). [4] Delta's contention that Pioneer turned on the failure of the plaintiffs therein to plead and prove the applicable Massachusetts law is correct. To arrive at its holding that Massachusetts law was applicable, however, the court applied the "significant contacts" choice of law rule of the Restatement Second and plaintiffs therefore properly cite that case for the proposition that Vermont has adopted that rule. [5] Courts which have rejected the lex loci delicti rule include: Armstrong v. Armstrong, 441 P.2d 699 (Alaska 1968); Schwartz v. Schwartz, 103 Ariz. 562, 447 P.2d 254 (1968); Reich v. Purcell, 67 Cal.2d 551, 63 Cal.Rptr. 31, 432 P.2d 727 (1967); Myers v. Gaither, 232 A.2d 577 (D.C.App.1967); First National Bank v. Rostek, 514 P.2d 314 (Colo.1973); Wartell v. Formusa, 34 Ill.2d 57, 213 N.E.2d 544 (1966); Fabricius v. Horgen, 257 Iowa 268, 132 N.W.2d 410 (1965); Wessling v. Paris, 417 S.W.2d 259 (Ky.App.1967); Beaulieu v. Beaulieu, 265 A.2d 610 (Me. 1970); Schneider v. Nichols, 280 Minn. 139, 158 N.W.2d 254 (1968); Mitchell v. Craft, 211 So.2d 509 (Miss.1968); Kennedy v. Dixon, 439 S.W.2d 173 (Mo.1969); Clark v. Clark, 107 N.H. 351, 222 A.2d 205 (1966); Pfau v. Trent Aluminum Co., 55 N.J. 511, 263 A.2d 129 (1970); Babcock v. Jackson, 12 N.Y.2d 473, 240 N.Y.S.2d 743, 191 N.E.2d 279 (1963); Issendorf v. Olson, 194 N.W. 2d 750 (N.D.1972); Fox v. Morrison Motor Freight, Inc., 25 Ohio St.2d 193, 267 N.E. 2d 405 (1971); Casey v. Manson Construction and Engineering Co., 247 Or. 274, 428 P.2d 898 (1967); Griffith v. United Air Lines, supra; Woodward v. Stewart, 104 R.I. 290, 243 A.2d 917 (1968); Wilcox v. Wilcox, 26 Wis.2d 617, 133 N.W.2d 408 (1965). But see, McGinty v. Ballentine Produce, Inc., 241 Ark. 533, 408 S.W.2d 891 (1966); Landers v. Landers, 153 Conn. 303, 216 A.2d 183 (1966); Folk v. York-Shipley, 239 A.2d 236 (Del.1968); McDaniel v. Sinn, 194 Kan. 625, 400 P.2d 1018 (1965); Johnson v. St. Paul Mercury Ins. Co., 256 La. 289, 236 So.2d 216 (1966); Cook v. Pryor, 251 Md. 41, 246 A.2d 271 (1968); Abendschein v. Farrell, 382 Mich. 510, 170 N.W. 2d 137 (1969); Cobb v. Clark, 265 N.C. 194, 143 S.E.2d 103 (1965); Cherokee Laboratories, Inc. v. Rogers, 398 P.2d 520 (Okl. 1965); Oshiek v. Oshiek, 244 S.C. 249, 136 S.E.2d 303 (1964); Heidemann v. Rohl, 86 S.D. 250, 194 N.W.2d 164 (1972); Winters v. Maxey, 481 S.W.2d 755 (Tenn.1972); Marmon v. Mustang Aviator, 430 S.W.2d 182 (Tex.1968). [6] See, e. g., Leflar, Choice-Influencing Considerations in Conflicts Law, 41 N.Y.U.L.Rev. 267 (1966); Currie, Comments on Babcock v. Jackson, A Recent Development in Conflict of Laws, 63 Colum.L.Rev. 1212, 1233 (1963); Ehrenzeweig, The "Most Significant Relationship" in the Conflicts Law of Torts, 28 Law & Contemp.Prob. 700 (1963); Cavers, A Critique of the Choice of Law Problem, 47 Harv.L.Rev. 173 (1933). [7] It is interesting to note that Judge Holden authored the Vermont Supreme Court's opinion in Goldman, supra, when he was a member of that court. [8] Additional general considerations enunciated in section 6 of the Restatement Second including the need for predictability and the justifiable expectations of the parties are of little relevance to tort actions which arise out of unplanned occurrences. Restatement (Second) of Conflict of Laws, Explanatory Notes § 6, Comments g and i at 15-16. [9] N.H.Rev.Stat.Ann. § 556.13 provides in pertinent part: The damages recoverable in such an action shall not exceed fifty thousand dollars except in cases where the plaintiff's decedent has left either a widow, widower, child, father, mother, or any relative dependent on the plaintiff's decedent in which event there shall be no limitation. . . . [10] Subsequent cases in which the New Hampshire Supreme Court has used this analysis to determine choice of law include: Maguire v. Exeter & Hampton Elec. Co., 325 A.2d 778 (N.H.1974); Taylor v. Bullock, 111 N.H. 214, 279 A.2d 585 (1971); Schneider v. Schneider, 110 N.H. 70, 260 A.2d 97 (1969); Doiron v. Doiron, 109 N.H. 1, 241 A.2d 372 (1968). See Buck v. Roger Garland and Son Construction Co., Civil Action No. 72-20 (N.H. Sept. 14, 1973). [11] In 1971, this Court relying upon Hudyka v. Interstate Tire & Brake Stores, Inc., 360 Mass. 102, 271 N.E.2d 617, expressed the opinion that the Massachusetts courts would apply § 145 of the Restatement Second to determine applicable law in tort actions. Tessier v. State Farm Mutual Ins. Co., 334 F.Supp. 807 (D.Mass.1971). There is no recent opinion of the Supreme Judicial Court dealing with this issue; however, the Massachusetts Court of Appeals has recently applied the lex loci delicti choice of law rule in tort actions and we defer to that court's statement of current Massachusetts law. See Burke, supra. [12] The recognition by the Supreme Judicial Court in Gaudette v. Webb, 362 Mass. 60, 284 N.E.2d 222, of the existence of a common law cause of action for wrongful death does not affect application of the damages limitation of the Statute to these actions. In Gaudette the Court described the relationship of the death statute to the newly recognized common law right as follows: "[O]ur wrongful death statutes will no longer be regarded as `creating the right' to recovery for wrongful death. They will be viewed rather as: (a) requiring that damages recoverable for wrongful death be based upon the degree of the defendant's culpability; (b) prescribing the range of damages recoverable against each defendant; . . ." 362 Mass. at pp. 1140-41, 284 N.E.2d at 229. [13] The "false conflicts" theory as propounded by Professor Brainerd Currie requires a court faced with a situation in which the laws of two different states are arguably applicable to make a twofold finding: (1) is more than one state interested in the outcome of the pending suit; and (2) given several interested states, is there a conflict. "False conflicts" constitute those cases where there is determined to be no "true conflict" either because only one state is found to be interested in the application of its law or because the laws of several interested states are found to be compatible. Comment, False Conflicts, 55 Calif.L.Rev. 74 (1967). The cases relied on by plaintiffs in support of their contention that Massachusetts recognizes the doctrine of false conflicts are inapposite. Milliken v. Pratt, 125 Mass. 374 (1878), involves an application of the traditional rule that a contract, valid where made, will be enforced provided its enforcement does not contravene the public policy of the enforcing state. In Graves v. Johnson, 156 Mass. 211, 30 N.E. 818 (1892), the Supreme Judicial Court held that a contract made in Massachusetts which had as its purpose breach of another state's law was void and unenforceable under the law of Massachusetts. [14] Under the traditional choice of law approach which is the law of Massachusetts, the question of whether a conflict exists is not asked. The existence of a conflict is presumed whenever there are multistate contacts and the applicable laws are different. Employment of a governmental interest approach by a federal court to determine initially whether a conflict actually exists may be useful as a technique for avoiding undesirable results which a straightforward application of the forum state's traditional conflicts rule would produce. See Lester v. Aetna Life Ins. Co., 433 F.2d 884 (5 Cir. 1970), cert. den., 402 U.S. 909, 91 S.Ct. 1382, 28 L.Ed.2d 650. However, use of this approach by a federal court sitting in diversity is clearly inconsistent with Erie and its progeny which require federal courts to apply the substantive law of the forum state to achieve uniformity of result. "It is not for the federal courts to thwart . . . local policies by enforcing an independent `general law' of conflict of laws." Klaxon, 313 U.S. at 496, 61 S.Ct. at 1022. [15] 1973 Mass.Stat., ch. 699, § 2 provides: "This act shall take effect on January first, nineteen hundred and seventy-four, and shall apply to causes of action arising on or after said date." See Comment — 1973 to Mass.Gen.Laws ch. 229, § 2 (Supp. 1975). [16] Although no case has been found in which this issue was considered, it has received the consideration of commentators. See, e. g., Note, Erie, Forum Non Conveniens and Choice of Law in Diversity Cases, 53 Va.L. Rev. 380 (1967); Note, Choice of Law After Transfer of Venue, 75 Yale L.J. 90 (1965); B. Currie, Change of Venue and the Conflict of Laws: A Retraction, 27 U.Chi. L.Rev. 341 (1960); B. Currie, Change of Venue and the Conflict of Laws, 22 U.Chi.L. Rev. 405 (1955). [17] "We do not and need not consider whether in all cases § 1404(a) would require the application of the law[s] of the transferor, as opposed to the transferee, State." 376 U.S. at 639, 84 S.Ct. at 821. [18] In contrast, a rule that the law of the transferee forum controls an action transferred on the plaintiff's motion will not engender litigation. The courts which have considered the issue have held that the law of the transferee forum governs such actions. See Carson v. U-Haul Co., 307 F.Supp. 1086 (E.D.Ky.1969); Les Schwimley, Inc. v. Chrysler Motors Corp., 270 F.Supp. 418 (E.D. Cal.1967). [19] The American Law Institute's Study of the Division of Jurisdiction between State and Federal Courts (Proposed Final Draft No. 1) does not appear to have considered the specific issue raised by these cases. See proposed § 1306(c). However, enactment of the A.L.I.'s proposed revision of the federal venue statute would, in large part, make the question academic. See proposed § 1303. [20] Conn.Gen.Stat. § 52-555 (1975). [21] Md.Code Ann. § 3-904 (Supp.1974). [22] Ver.Stat.Ann.Tit. 14, § 1492(b) (1974).
Refining the management of patients with hepatocellular carcinoma integrating 11C-choline PET/CT scan into the multidisciplinary team discussion. The aim of this study was to report the impact of C-choline PET/CT on the management of patients with hepatocellular carcinoma (HCC) and incorporate into a refined algorithm combining diagnostic imaging and multidisciplinary team (MDT) discussion. From February 2010 to February 2016, the charts of all patients discussed in the liver MDT were revised. Suspected or confirmed HCC lesions or Barcelona Clinic Liver Cancer stages A, B or C with a C-choline PET/CT performed in our hospital were included in the analyses. Overall, 73 patients (male : female=59 : 14; median age: 75 years) were enrolled. Forty-two (57%) patients were newly diagnosed, whereas 31 (43%) came to our attention at disease recurrence. Seven (10%) patients were Barcelona Clinic Liver Cancer stage 0, 31 (42%) patients were stage A, 15 (20%) patients were stage B, and 18 (25%) patients were stage C. The reference standards for ultimate imaging validation were either histology or MDT consensus. A minimum follow-up of 6 months was established. Overall eight (10%) patients were initially referred for chemotherapy (sorafenib), 43 (59%) for surgery, two (3%) for surgery or transarterial embolization, five (7%) for follow-up only, one (1%) for extrahepatic radiotherapy, seven (10%) for stereotactic body radiation therapy of the liver, six (8%) for transarterial embolization, and one (1%) for liver transplant. After C-choline PET/CT and MDT discussion, in seven patients the diagnosis changed, in six patients the treatment was changed, and in nine patients both the diagnosis and the treatment were changed. Overall, in 30% of our patients, the diagnosis or treatment was altered on the basis of our algorithm of management. The incorporation of C-choline PET/CT into the MDT discussion altered the diagnosis/treatment of one-third of HCC patients. We propose a novel diagnostic algorithm to be refined in referral centers for HCC management.
31 F.Supp.2d 951 (1998) UNITED STATES of America, Plaintiff/Respondent, v. Mario CORONA-MALDONADO, Defendant/Movant. Nos. 97-40041-01-DES, 98-3033-DES. United States District Court, D. Kansas. December 28, 1998. *952 Gregory G. Hough, Office of U.S. Attorney, Topeka, KS, for U.S. James G. Chappas, Jr., Topeka, KS, for Mario Corona-Maldonado. MEMORANDUM AND ORDER SAFFELS, District Judge. This matter is before the court on defendant's Motion to Vacate, Set Aside, or Correct Sentence filed pursuant to 28 U.S.C. § 2255. The defendant has requested an evidentiary hearing on his claim of ineffective assistance of counsel. I. BACKGROUND The defendant in this case was charged in a one count indictment with knowingly bringing illegal aliens into the United States in violation of 8 U.S.C. § 1324(a)(1)(A)(I). On August 26, 1997, the defendant entered a plea of guilty to this charge. The defendant claims that the attorney representing him at the time he entered his plea of guilty was ineffective. According to the defendant, his attorney erroneously told him that a conviction on this charge would not result in his deportation. However, following his release from prison, the defendant was deported to Mexico based on this conviction. II. ANALYSIS "An accused who has not received reasonably effective assistance from counsel in deciding to plead guilty cannot be bound by his plea because a plea of guilty is valid only if made intelligently and voluntarily." Downs-Morgan v. United States, 765 F.2d 1534, 1538 (11th Cir.1985) (internal quotations omitted). When a defendant decides to plead guilty, his attorney only has the duty to provide the defendant with an understanding of the law in relation to the facts, so that the accused may make an informed and conscious choice. Id. at 1539. In its answer, the government notes that the failure of an attorney to advise his client of collateral issues such as the possibility of deportation does not amount to ineffective assistance of counsel. See, Varela v. Kaiser, 976 F.2d 1357-58 (1992). However, this case involves more than a mere omission by defense counsel to advise his client of possible deportation. The defendant is claiming that his attorney made clearly erroneous statements following specific inquiry by the defendant concerning deportation. The Tenth Circuit case law cited by the government does not address this situation. In Downs-Morgan v. United States, 765 F.2d 1534 (11th Cir.1985), the Eleventh Circuit Court of Appeals dealt with this exact issue. That court held that when a defendant is incorrectly told that deportation would not occur, an ineffective assistance of counsel claim may be present. Downs-Morgan, 765 F.2d at 1541. The court refused to hold that such misstatements necessarily constituted ineffective assistance of counsel. Id. Rather, the court held that a claim may exist and remanded the case for an evidentiary hearing. Id. The holding in Downs-Morgan was followed by the district court in the Eastern District of Michigan in United States v. Nagaro-Garbin, 653 F.Supp. 586 (1987). In that case, the defendant claimed that his attorney had incorrectly advised him that he would not be deported. The district court held an evidentiary hearing to determine if he had received ineffective assistance of counsel. Following the hearing, the court found that the attorney had not made the alleged statements and denied the defendant's ineffective assistance of counsel claim. *953 Although not binding on this court, the court finds that the holding in Downs-Morgan is sound. Therefore, the court finds that an evidentiary hearing is necessary in this case. If defense counsel incorrectly informed the defendant that he would not be deported, a claim of ineffective assistance of counsel may exist. IT IS THEREFORE BY THIS COURT ORDERED that the defendant's request for an evidentiary hearing is granted. Said hearing will be held Wednesday, April 7, 1999, at 9:30 a.m.
VDR TaqI is associated with obesity in the Greek population. The prevalence of obesity has increased dramatically during the last thirty years in western countries with severe complications for health and economy. Obesity is the outcome of the strong interplay between genetic and environmental factors and is therefore widely expected that the discovery of the many genetic factors underlying the heritable risk of obesity will contribute critically to our basic knowledge of the disease etiopathogenesis and the identification of new targets for therapeutic intervention. The aim of the present study was to assess the genetic contribution of known polymorphisms in two genes that are linked to the pathogenetic mechanism of obesity. Analysis of vitamin D receptor (VDR) TaqI (rs731236; T/C) and fat mass and obesity-associated (FTO) (rs9939609; A/T) [corrected] polymorphisms in 82 obesity subjects and 102 controls showed significant association for VDR TaqI 'T' allele and obesity (OR: 2.07; 1.123-3.816; P=0.019), contributing to an elevated BMI of 3kg/m(2) per risk allele. No association was observed for the FTO polymorphism. These results further support a role for VDR as risk factor for obesity and suggest its further validation in larger independent populations as well as highlight a target for functional analysis towards therapeutic intervention in obese individuals.
The present invention relates to a fabric guide device for a sewing machine, and more particularly to a fabric guide device for a sewing machine used at overlaying over-edge chain stitching portions individually formed in upper and lower bodies face to face, and sewing together the overlapped portions. A sewing process includes a specification of opening a body obtained by executing over-edge chain stitching to two fabrics, folding its over-edge chain stitching portion face to face, and sewing together the folded portion. In such specification, as shown in FIG. 4, when the over-edge chain stitching portions (Wc, Wc) in raised state come beneath the presser foot, the over-edge chain stitching portions (Wc, Wc) are usually tilted backward. At this time, these portions are overlapped or squeezed, and a large step is formed to lower the product quality. Japanese Laid-open Patent No. H05-76678 discloses a fabric guide device designed to prevent from forming bulkiness in the over-edge chain stitching portions in upper and lower bodies by using a pair of tilting pawls. This device is disposed on a sewing machine table before the sewing machine bed, and the pair of tilting pawls are designed to guide to tilt down the over-edge chain stitching portions in the upper and lower bodies. This device can be applied to the bodies in which the over-edge chain stitching portions project outward, but cannot be applied to the bodies in which the over-edge chain stitching portions face each other between the bodies, and moreover since the fabric guide device is disposed on the sewing machine table before the sewing machine bed, a space for the sewing machine table is needed before the sewing machine bed. It is hence an object of the invention to present a fabric guide device for a sewing machine capable of operating to tilt in one direction prior to sewing operation of over-edge chain stitching portions mutually projecting between bodies, and downsizing or omitting the sewing machine table before the sewing machine bed. The fabric guide device for a sewing machine according to the present invention is used at sewing overlaid portion together by overlaying over-edge chain stitching portion face to face after opening a body obtained by executing over-edge chain stitching to two fabrics, and it is disposed at the fabric feed side from the presser foot of the sewing machine. This fabric guide device is composed of upper plate and middle plate. The upper plate is disposed on the sewing machine bed in a state of keeping a certain clearance from the sewing machine bed, and its fabric feed side portion is warped upward. The middle plate is disposed beneath the warped portion of the upward warp of the upper plate, and is free to project and retreat from and into the sewing machine bed. The middle plate has upper and lower surfaces for guiding the fabrics. At the time of sewing, the body is overlaid so that its over-edge chain stitching portion may face each other prior to sewing, and is fed into the fabric guide device while handling under the presser foot. Consequently, the middle plate projects from the sewing machine bed to interpose between upper and lower bodies before the over-edge chain stitching portions, and when said bodies are pulled out to the front side in this state, the over-edge chain stitching portions abut against the middle plate and tilt in the fabric feed direction. In this state, the fabrics are further pulled out, and the tilted over-edge chain stitching portions are positioned beneath the presser foot. At this time, since the bodies pulling direction is opposite to the tilting direction of the over-edge chain stitching portions, and the tilted over-edge chain stitching portions are not raised when the bodies are pulled, and remain in tilted state at the time of pulling. The presser foot is lowered while the over-edge chain stitching portions are positioned beneath the presser foot, and the fabrics are seamed. According to the present invention, the over-edge chain stitching portions projecting face to face between upper and lower bodies can be tilted in the fabric feed direction by simple operation of fabric manipulation and middle plate manipulation, and the job burden of the operator is less and the productivity is enhanced. Besides, since the fabric guide device of the present invention is disposed in the sewing machine bed, sewing machine table for disposing the fabric guide device is not needed before the sewing machine bed, and if a sewing machine table is provided, since the fabric guide device is not mounted on it, the size of the sewing machine table can be reduced. The middle plate of the present invention is preferred to have a perpendicular surface at the fabric feed side. By pulling the fabrics to the front side while the over-edge chain stitching portions are in contact with the perpendicular surface of the middle plate, the over-edge chain stitching portions are tilted more securely. Other features and effects of the present invention will be more clearly understood in the following detailed description of the embodiments by those skilled in the art. It must be, however, noted that the technical scope of the present invention is not limited to the embodiments and the accompanying drawings alone.
/** * Internal dependencies */ import { CHECKOUT_TOGGLE_CART_ON_MOBILE, DESERIALIZE, SECTION_SET, SERIALIZE, } from 'state/action-types'; import reducer, { isShowingCartOnMobile, upgradeIntent } from '../reducer'; describe( 'reducer', () => { test( 'should include expected keys in return value', () => { expect( Object.keys( reducer( undefined, {} ) ) ).toEqual( [ 'isShowingCartOnMobile', 'upgradeIntent', ] ); } ); describe( '#isShowingCartOnMobile', () => { test( 'should default to false', () => { const state = isShowingCartOnMobile( undefined, {} ); expect( state ).toBeFalse; } ); test( 'should be true after toggle when false', () => { const state = isShowingCartOnMobile( false, { type: CHECKOUT_TOGGLE_CART_ON_MOBILE } ); expect( state ).toBeTrue; } ); test( 'should be false after toggle when true', () => { const state = isShowingCartOnMobile( true, { type: CHECKOUT_TOGGLE_CART_ON_MOBILE } ); expect( state ).toBeFalse; } ); test( 'should be unchanged after other action', () => { const state = isShowingCartOnMobile( true, { type: 'WRONSKI_FEINT' } ); expect( state ).toBeTrue; } ); } ); describe( '#upgradeIntent()', () => { test( 'should persist value', () => { const state = upgradeIntent( 'hallows', { type: SERIALIZE } ); expect( state ).toBe( 'hallows' ); } ); test( 'should restore value', () => { const state = upgradeIntent( 'always', { type: DESERIALIZE } ); expect( state ).toBe( 'always' ); } ); test( 'should default to empty string', () => { const state = upgradeIntent( undefined, {} ); expect( state ).toBe( '' ); } ); test( 'should return existing state for unsupported action type', () => { const state = upgradeIntent( 'penseive', { type: 'EXPECTO_PATRONUM' } ); expect( state ).toBe( 'penseive' ); } ); test( 'should return existing state without section name', () => { const state = upgradeIntent( 'time turner', { type: SECTION_SET } ); expect( state ).toBe( 'time turner' ); } ); test( 'should return existing state while loading', () => { const state = upgradeIntent( 'quaffle', { type: SECTION_SET, isLoading: true } ); expect( state ).toBe( 'quaffle' ); } ); test( 'should return existing state for checkout', () => { const state = upgradeIntent( 'bludger', { type: SECTION_SET, section: { name: 'checkout' }, } ); expect( state ).toBe( 'bludger' ); } ); test( 'should return existing state for checkout-thank-you', () => { const state = upgradeIntent( 'snitch', { type: SECTION_SET, section: { name: 'checkout-thank-you' }, } ); expect( state ).toBe( 'snitch' ); } ); test( 'should return existing state for plans', () => { const state = upgradeIntent( 'nimbus', { type: SECTION_SET, section: { name: 'plans' }, } ); expect( state ).toBe( 'nimbus' ); } ); test( 'should return plugins for plugins', () => { const state = upgradeIntent( 'firebolt', { type: SECTION_SET, section: { name: 'plugins' }, } ); expect( state ).toBe( 'plugins' ); } ); test( 'should return themes for themes', () => { const state = upgradeIntent( 'hippogryph', { type: SECTION_SET, section: { name: 'themes' }, } ); expect( state ).toBe( 'themes' ); } ); test( 'should return hosting for hosting', () => { const state = upgradeIntent( 'blastendedskrewt', { type: SECTION_SET, section: { name: 'hosting' }, } ); expect( state ).toBe( 'hosting' ); } ); test( 'should return empty string for other section', () => { const state = upgradeIntent( 'plugins', { type: SECTION_SET, section: { name: 'restricted section' }, } ); expect( state ).toBe( '' ); } ); } ); } );
Q: TJSONUnMarshal: how to track what is actually unmarshalled Is there another way to track what is unmarshalled than write own reverter for each field? I'm updating my local data based on json message and my problem is (simplified): I'm expecting json like { "items": [ { "id":1, "name":"foobar", "price":"12.34" } ] } which is then unmarshaled to class TItems by UnMarshaller.TryCreateObject( TItems, TJsonObject( OneJsonElement ), TargetItem ) My problem is that I can't make difference between { "items": [ { "id":1, "name":"", "price":"12.34" } ] } and { "items": [ { "id":1, "price":"12.34" } ] } In both cases name is blank and i'd like to update only those fields that are passed on json message. Of course I could create a reverted for each field, but there are plenty of fields and messages so it's quite huge. I tried to look REST.Jsonreflect.pas source, but couldn't make sense. I'm using delphi 10. A: Actually, my problem was finally simple to solve. Instead of using TJSONUnMarshal.tryCreateObject I use now TJSONUnMarshal.CreateObject. First one has object parameters declared with out modifier, but CreateObject has Object parameter var modifier, so I was able to create object, initalize it from database and pass it to CreateObject which only modifies fields in json message.
Lollipop Lamp: The Art of Glass Coloring Have you ever looked into the sun through a green glass bottle? Or enjoyed a slightly distorted reality through a pair of colored sunglasses? The Lollipop Collection by designer Klimek Boris from the Czech designer collective, Lasvit was inspired by these moments of fascination with transparency and perception. Klimek experimented with the technique of slumped glass and exploring its wide possibilities in terms of glass coloring, glint, and internal structure. The lamps are made up of morphed glass plates, attached to a metal holder and an inserted light source, resulting in an object that is reminiscent of a lollipop. The lollipop Collection consists of three variations: a table, a stand-alone lamp, and pendant lights.
BYU-Utah football rivalry is evolving — for the better College football • With teams on different paths, vitriol is down, focus on game up Share This Article This is an archived article that was published on sltrib.com in 2012, and information in the article may be outdated. It is provided only for personal research purposes and may not be reprinted. There was a time not so long ago when the Utah-BYU rivalry game was burning this place down. It didn't matter if the calendar said June or November, the rivalry was a hunk-a-hunk-a-burning hate. Or spate … which is an informal contraction for sports hate, which is different than hate hate. Sometimes, spate seemed an awful lot like hate, but that mostly was on the rivalry's edges. Let's say it the way it is here: Ten percent of any group — be it Ute fans or Cougar fans — is one can short of a six-pack, whether that six-pack contains Coors or caffeine-free Coke. But every so often, come game time, that insanity would spill over and, next thing, one of those beverages would get poured on a quarterback's family … and, then, in the post game, all hell would break loose, to the point where spate really was hate and bumper stickers were being printed up with the words: "Honk if Max Hall hates you, too." That was then. It's different now. Conditions have conspired to turn down the spigot on one of the great football rivalries in America, even tainted as it sometimes was by dopes who used the football game between the state's two biggest schools, one state-owned and one church-owned, as an excuse to revolt against a religion or to swing self-righteousness like a hammer. That was the occasional cost of doing strong business. Business is not so strong, not anymore. Utah's move to the Pac-12 and BYU's independence are having adverse effects on a rivalry game once at the core of sports here. Two universities located just 45 miles apart that had always been members of the same league suddenly were torn into different realms. The Utes were looking for roses, the Cougars for wider exposure. And each wanted more of what is now the lifeblood of college sports: money. Then, supposedly on account of Pac-12 conflicts, the game was moved from every regular season's exclamation point at the end of November to a mere comma in the third week of September. It got worse when Utah athletic director Chris Hill decided earlier this year not to play BYU in 2014 and 2015, in part, because he didn't want to overschedule, which is a euphemism for not wanting to play more than one good team in the Utes' three annual nonconference slots. He preferred an easier route that included scheduling smaller schools — read: automatic wins — at home. So, for two seasons, and maybe more in the future, a game that had been played for the better part of a century, a game that had in large measure anchored and symbolized sports in Utah, was headed into cold storage — to be thawed back when convenient for the Utes. It's still a rivalry game, but collectively, a toll has been taken. The importance of the game has been mitigated and as a result the rivalry is evolving. "It certainly is still a rivalry," BYU coach Bronco Mendenhall said. "But there are different conferences now and the game's played earlier in the year. I still think the game matters, but there's a different feel to it." Said Utah coach Kyle Whittingham: "We're still in the infancy of the transition. It's definitely changing, but everyone will have a better idea four or five years from now exactly what's going on." One positive about that evolution, according to Mendenhall, is that the stupidity of some of the fans has been tamped down: "It just seems like it's more about actually playing the game now than all the stuff that leads up to it or [comes] after it. That's better." Still, in an unscientific survey of former BYU and Utah players and fans from both schools this week, the consensus is that the rivalry game won't have the same force it once had, nor will it be as intense. A few believed it could become just as emotional as it once was, even with the Utes in one conference and BYU in none: "They still want to prove they're better than their neighbor," one fan said. Kalani Sitake, who like Whittingham played at BYU and now coaches at Utah, said on the one hand: "It's different. You play the game early and then you kind of move on. And no one really cares about the game last year because you had a bunch of games in-between. It's transforming into a different type of game. It's still heated. It's still a rivalry game you want to win really badly, but it's a different feel." On the other hand, he said: "Once the ball is in the air, it's going to be the same. Our guys are going to play hard. It's going to be an emotional game. It's going to be a physical game. It's going to be exciting. It's great for the state of Utah. It's great for both schools. It's awesome for the game of football, to see just how close we are — families, neighborhoods, everyone having to root for their own team. It's a special type of deal. Hopefully, this thing keeps going." Ute running back John White spoke for Utah's players, but he could just as well have been speaking for either team, when he said: "I'm ready to go out this week and pound these guys. … I'm ready to go out there and pound BYU, these Cougars, and get these guys out of town. … They're going to give us their best shot and we're going to give them our best shot. We've got to come out with some swagger this week. We've got to come out and stick it to them right off the bat." So, the rivalry lives on, after all. It's not dead yet. Down with dopes that hate, then, up with hopes that spate will have its run and its fun for another year on rivalry Saturday, and a thousand rivalry Saturdays to come. Reader comments on sltrib.com are the opinions of the writer, not The Salt Lake Tribune. We will delete comments containing obscenities, personal attacks and inappropriate or offensive remarks. Flagrant or repeat violators will be banned. If you see an objectionable comment, please alert us by clicking the arrow on the upper right side of the comment and selecting "Flag comment as inappropriate". If you've recently registered with Disqus or aren't seeing your comments immediately, you may need to verify your email address. To do so, visit disqus.com/account. See more about comments here.
This invention relates to a method of purifying exhaust gas from an internal combustion engine which is mainly used as a prime mover for a small generator, industrial machines, or the like and has a short exhaust system, and to an apparatus therefor. An apparatus for purifying exhaust gas which uses a three way conversion (hereinafter called TWC) catalyst is conventionally and commonly used in automobiles. This apparatus works effectively in an internal combustion engine in which the air/fuel ratio is highly accurately controlled to a theoretical air/fuel ratio, i.e., to a neighbourhood of A/F=14.6 using an O.sub.2 sensor. However, it cannot fully perform its capability in an internal combustion engine in which the air/fuel ratio is not highly accurately controlled.
// -*- C++ -*- // Definition for Win32 Export directives. // This file is generated automatically by generate_export_file.pl // ------------------------------ #ifndef TAO_TRADING_EXPORT_H #define TAO_TRADING_EXPORT_H #include "ace/config-all.h" #if defined (TAO_AS_STATIC_LIBS) # if !defined (TAO_TRADING_HAS_DLL) # define TAO_TRADING_HAS_DLL 0 # endif /* ! TAO_TRADING_HAS_DLL */ #else # if !defined (TAO_TRADING_HAS_DLL) # define TAO_TRADING_HAS_DLL 1 # endif /* ! TAO_TRADING_HAS_DLL */ #endif #if defined (TAO_TRADING_HAS_DLL) && (TAO_TRADING_HAS_DLL == 1) # if defined (TAO_TRADING_BUILD_DLL) # define TAO_Trading_Export ACE_Proper_Export_Flag # define TAO_TRADING_SINGLETON_DECLARATION(T) ACE_EXPORT_SINGLETON_DECLARATION (T) # define TAO_TRADING_SINGLETON_DECLARE(SINGLETON_TYPE, CLASS, LOCK) ACE_EXPORT_SINGLETON_DECLARE(SINGLETON_TYPE, CLASS, LOCK) # else /* TAO_TRADING_BUILD_DLL */ # define TAO_Trading_Export ACE_Proper_Import_Flag # define TAO_TRADING_SINGLETON_DECLARATION(T) ACE_IMPORT_SINGLETON_DECLARATION (T) # define TAO_TRADING_SINGLETON_DECLARE(SINGLETON_TYPE, CLASS, LOCK) ACE_IMPORT_SINGLETON_DECLARE(SINGLETON_TYPE, CLASS, LOCK) # endif /* TAO_TRADING_BUILD_DLL */ #else /* TAO_TRADING_HAS_DLL == 1 */ # define TAO_Trading_Export # define TAO_TRADING_SINGLETON_DECLARATION(T) # define TAO_TRADING_SINGLETON_DECLARE(SINGLETON_TYPE, CLASS, LOCK) #endif /* TAO_TRADING_HAS_DLL == 1 */ #endif /* TAO_TRADING_EXPORT_H */ // End of auto generated file.
Expanding dependent coverage for young adults: lessons from state initiatives. The Patient Protection and Affordable Care Act (ACA) requires that adults up to age twenty-six be permitted to enroll as dependents on their parents' health plans. This article examines the experiences of states that enacted dependent expansion laws. Drawing on public information from thirty-one enacting states and case studies of four diverse reform states, it derives lessons that are pertinent to the implementation of this ACA provision. Dependent coverage laws vary across the states, but most impose residency, marital status, and other restrictions. The federal Employee Retirement Income Security Act further limits the reach of state laws. Eligibility for expanded coverage under the ACA is much broader. Rules in some states requiring or allowing separate premiums for adult dependents may also discourage enrollment compared with rules in other states (and the ACA), where these costs must be factored into family premiums. Business opposition in some states led to more restrictive regulations, especially for how premiums are charged, which in turn raised greater implementation challenges. Case study states did not report substantial young adult dependent coverage take-up, but early enrollment experience under ACA appears to be more positive. Long-term questions remain about the implications of this policy for risk pooling and the distribution of premium costs.
Package org.eclipse.team.core.subscribers Package Specification This package specifies the API for Team subscribers. A Subscriber provides access to the synchronization state between the local workspace resources and a set of variants of those resources, whether it be a code repository or some other type of server (e.g. FTP). A subscriber is typically associated with only a subset of the resources in the local workspace, referred to as the set of resources the subscriber supervises. The supervised local resources have a corresponding variant state which describes the state of the remote resources that correspond to the local resources. A Subscriber provides: a set of root resources that define the subset of resources in the workspace that the subscriber supervises (some children of the roots may not be supervised, as indicated by the isSupervised method). access to the synchronization state (using SyncInfo) between the resources it supervises and their corresponding variant resources. the ability to refresh the the remote state change notification to registered listeners (of type ISubscriberChangeListener) when the variant state changes or when roots are added or removed. Implementing a Subscriber An implementation of a subscriber must provide: a subclass of Subcriber which maintains the synchronization state between its local resources and their corresponding variants. an implemenation of org.eclipse.team.core.variants.IResourceVariant which provides access to the contents and other state of a variant resource that corresponds to a local resource an implementation of org.eclipse.team.core.variants.IResourceVariantComparator which is used by org.eclipse.team.core.synchronize.SyncInfo to determine the synchronization state of a resource. Optionally, a subscriber may provide a subclass of org.eclipse.team.core.synchronize.SyncInfo in order to customize the algorithm used to determine the synchronization state of a resource.
Configure netgear wndr4300 router factory default Tips For Netgear wndr4300 router Factory Reset : When user buys any router they come with default factory setting. It means if your router ever you get any problem, you can reset your router onto default factory setting. By doing your router on factory setting your router automatically placed into default factory settings just like new router. They also come with Default username and password. If you want to secure your Netgear WNDR4300 router, then you can easily change it by some easy steps. You have do Netgear WNDR4300 login. So to improve the security of your network, change the default password as soon as possible. Firstly start a web browser from computer or wireless device which is already linked with router’s network. If you want to recover your password in future as well then not forget to select Enable Password Recovery check box. At last click on apply button. If you follow he above steps you will face no difficulty in processing Netgear WNDR4300 login. If you still think you need advice from an expert then do place a call to our router login team. You can call them on toll free number for quick response. We have a professionally sound team which works on the motto of customer satisfaction.
Doc Martin"Erotomania" Danny's near-death experience with a collapsed lung makes him appreciate life - and Louisa, whom he wants to move in with him. With Mylow's wedding imminent, a health check reveals puzzling results.G 8:00 pm Outdoor Idaho"Climbing Idaho" Today's rock-climbing enthusiasts support climbing gyms, clubs and advocacy groups - no longer the exclusive band of wanderers of just a few decades ago. The heights they achieve throughout the state require skills, levels of expertise, techniques and climbing methods as varied as the state's terrain. Cameras follow as they seek to conquer nature's rock walls.G 8:30 pm Saving The Ocean"Shark Reef" Host Carl Safina travels to Glover's Reef Marine Reserve, a coral atoll in the Central American country of Belize. Accompanied by a team of U.S. researchers, who've been studying the reserve for eight years, Carl catches, tags and releases a wide variety of sharks. In Belize City's fish market, he also visits a shark fin trader, whose trade now threatens sharks worldwide.G 9:00 pm Midsomer Murders"Blue Herrings (Part 2)" DCI Barnaby pursues the suspicious deaths of people who have changed their wills and closes in on answers to the mystery. Part 2 of 2G 10:00 pm POV"Sun Kissed" When a Navajo couple discovers their children have a disorder that makes exposure to sunlight fatal, they also learn their reservation is a hotbed for this rare genetic disease. The film follows Dorey and Yolanda Nez as they confront cultural taboos, tribal history and their own unconventional choices, illuminating the consequences of forgotten historical events and America's own colonialism in the mid-19th century.G
Automation of fluorescent differential display with digital readout. Since its invention in 1992, differential display (DD) has become the most commonly used technique for identifying differentially expressed genes because of its many advantages over competing technologies such as DNA microarray, serial analysis of gene expression (SAGE), and subtractive hybridization. Despite the great impact of the method on biomedical research, there has been a lack of automation of DD technology to increase its throughput and accuracy for systematic gene expression analysis. Most of previous DD work has taken a "shot-gun" approach of identifying one gene at a time, with a limited number of polymerase chain reaction (PCR) reactions set up manually, giving DD a low-tech and low-throughput image. We have optimized the DD process with a new platform that incorporates fluorescent digital readout, automated liquid handling, and large-format gels capable of running entire 96-well plates. The resulting streamlined fluorescent DD (FDD) technology offers an unprecedented accuracy, sensitivity, and throughput in comprehensive and quantitative analysis of gene expression. These major improvements will allow researchers to find differentially expressed genes of interest, both known and novel, quickly and easily.
Foreign Minister Fumio Kishida plans to visit Germany to speak at a security conference in Munich from late January, government sources said Wednesday, a move aimed at airing Japan’s concern over China’s establishment of an air defense zone over parts of the East China Sea that covers the disputed Senkaku Islands. Kishida’s envisioned participation in the Munich Security Conference comes as China has drawn sharp reaction from Japan and the United States over what Tokyo describes as Beijing’s “profoundly dangerous acts that unilaterally change the status quo.” The conference is a well-known international forum on security and draws many government ministers and military officials from countries belonging to the North Atlantic Treaty Organization. Kishida’s participation would be the “best opportunity to get European countries to understand the drastically changing security environment in Asia,” one of the sources said, with China’s rapid military buildup in mind. In his speech, Kishida is expected to emphasize that China’s recent move may cause “unintended consequences” by escalating the already high tension between Japan and China over the Japanese-administered islets, which are contested by China, according to the sources. He is also expected to appeal to other participants that the Chinese move, under which Beijing says it could take “defensive emergency measures” against those who do not follow its instructions, infringes upon the general principle of international law, such as the freedom of flight in international airspace. Additionally, Kishida plans to explain the recent security-related steps taken by the government of Prime Minister Shinzo Abe, such as the move to establish a U.S.-style National Security Council and the attempt to enable Japan to engage in collective self-defense. The Abe government is seeking to change Tokyo’s long-standing position that while the country has the right to collective self-defense — or coming to the aid of an ally under attack — it cannot exercise the right due to limits imposed by its war-renouncing Constitution. The conference is scheduled to run for three days from Jan. 31. Kishida envisions visiting only Germany, but his planned trip will ultimately depend on the situation surrounding the ordinary Diet session expected to convene in mid-January, according to the sources. Yasukazu Hamada, who attended the forum in 2009 as defense minister, is the last Japanese Cabinet minister to have taken part in it. The sovereignty dispute between Japan and China over the uninhabited islets, which are called Diaoyu in China, has heated up, particularly since the Japanese government bought major parts of the islet group from a private Japanese landowner in September 2012 in an attempt to bring them under state control.
/* * Copyright (c) 2019, Intel Corporation * * Permission is hereby granted, free of charge, to any person obtaining a * copy of this software and associated documentation files (the "Software"), * to deal in the Software without restriction, including without limitation * the rights to use, copy, modify, merge, publish, distribute, sublicense, * and/or sell copies of the Software, and to permit persons to whom the * Software is furnished to do so, subject to the following conditions: * * The above copyright notice and this permission notice shall be included * in all copies or substantial portions of the Software. * * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS * OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL * THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR * OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, * ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR * OTHER DEALINGS IN THE SOFTWARE. */ //! //! \file vp_scalability_singlepipe.h //! \brief Defines the common interface for media scalability singlepipe mode. //! \details The media scalability singlepipe interface is further sub-divided by component, //! this file is for the base interface which is shared by all components. //! #ifndef __VP_SCALABILITY_SINGLEPIPE_H__ #define __VP_SCALABILITY_SINGLEPIPE_H__ #include "mos_defs.h" #include "mos_os.h" #include "media_scalability_singlepipe.h" #include "vp_scalability_option.h" #include "vp_pipeline_common.h" namespace vp { class VpScalabilitySinglePipe : public MediaScalabilitySinglePipe { public: //! //! \brief VP scalability singlepipe constructor //! \param [in] hwInterface //! Pointer to HwInterface //! \param [in] componentType //! Component type //! VpScalabilitySinglePipe(void *hwInterface, MediaContext *mediaContext, uint8_t componentType); //! //! \brief Encode scalability singlepipe destructor //! virtual ~VpScalabilitySinglePipe(); //! //! \brief Copy constructor //! VpScalabilitySinglePipe(const VpScalabilitySinglePipe&) = delete; //! //! \brief Copy assignment operator //! VpScalabilitySinglePipe& operator=(const VpScalabilitySinglePipe&) = delete; //! //! \brief Initialize the vp single scalability //! \details It will prepare the resources needed in scalability //! and initialize the state of scalability //! \param [in] option //! Input scalability option //! \return MOS_STATUS //! MOS_STATUS_SUCCESS if success, else fail reason //! virtual MOS_STATUS Initialize(const MediaScalabilityOption &option) override; protected: virtual MOS_STATUS SendAttrWithFrameTracking(MOS_COMMAND_BUFFER &cmdBuffer, bool frameTrackingRequested) override { return MOS_STATUS_SUCCESS; } private: PVP_MHWINTERFACE m_hwInterface = nullptr; }; } #endif // !__VP_SCALABILITY_SINGLEPIPE_H__
# min * random[meta header] * std[meta namespace] * uniform_int_distribution[meta class] * function[meta id-type] * cpp11[meta cpp] ```cpp result_type min() const; ``` ## 概要 生成し得る値の下限を取得する。 ## 戻り値 構築時に設定された、値の範囲の下限を返す。 ## 例 ```cpp example #include <iostream> #include <random> int main() { std::uniform_int_distribution<> dist(0, 3); int min_value = dist.min(); std::cout << min_value << std::endl; } ``` * min()[color ff0000] ### 出力 ``` 0 ``` ## バージョン ### 言語 - C++11 ### 処理系 - [Clang](/implementation.md#clang): ?? - [GCC](/implementation.md#gcc): 4.7.2 - [ICC](/implementation.md#icc): ?? - [Visual C++](/implementation.md#visual_cpp): ?? ## 参照
Xanthelasma palpebrarum associated with increased cardio-ankle vascular index in asymptomatic subjects. Xanthelasma palpebrarum (XP) is associated with increased risk of ischemic heart disease and myocardial infarction independent of other well-known cardiovascular risk factors. Cardio-ankle vascular index (CAVI) is a novel index of arterial stiffness and important marker of subclinical atherosclerosis. The purpose of this study was to investigate the association between XP and CAVI in asymptomatic subjects. Consecutive 50 subjects with XP and age-gender matched 50 control subjects were enrolled. Patients with known atherosclerotic vascular disease were excluded. Arterial stiffness was assessed by CAVI and defined as abnormal if CAVI is ≥ 8. Subjects with XP had higher mean CAVI than control subjects (8.05 ± 1.72 vs. 6.76 ± 1.18, p < 0.001). Frequency of abnormal CAVI was higher in subjects with XP (n = 27) compared to those without XP (n = 9, 54 vs. 18 %, p < 0.001). There was a significant correlation between XP and CAVI (r = 0.42, p < 0.001). Conditional logistic regression analysis showed that XP (odds ratio OR 8.80, 95 % confidence interval CI 2.63-29.49, p < 0.001) and age (OR 1.17, 95 % CI 1.08-1.26, p < 0.001) were independent predictors for abnormal CAVI. The study suggests that XP is associated with increased arterial stiffness in asymptomatic subjects.
Background ========== Adoptive cell therapy using cytotoxic T lymphocytes (CTLs) has emerged as a new approach to treat patients with various types of cancers and viral infections, and its effectiveness has been demonstrated in Phase I/II studies \[[@B1]-[@B3]\]. CTLs play an important role in controlling viral infection and eliminating cells with malignant potential. In clinical trials involving the adoptive transfer of antigen-specific CTLs, CTL doses of 10^7^-10^9^cells per kilogram of body mass are required to achieve efficacy \[[@B4],[@B5]\]. Thus, there has been considerable interest in developing an *in vitro*system to expand human CTLs for use in the implementation of adoptive immune therapies. In general, the culture medium for *in vitro*expansion of CTLs is supplemented with serum, usually of human or fetal calf origin \[[@B6]-[@B8]\]. The serum supplement, however, significantly affects experimental results, because a large number of poorly defined components including growth factors, antibodies, and other immunologically active substances vary in concentration between batches \[[@B8]\]. Accordingly, a serum-free medium (SFM) needs to be developed for standardization of *in vitro*expansion of CTLs. However, despite the importance of SFM, its development for *in vitro*expansion of CTLs has not been fully substantiated. Based on the findings of previous studies of SFM for human lymphocytes \[[@B8]-[@B10]\], we prepared a basal SFM for human CTLs through several culture experiments. To achieve better cell growth, growth-enhancing candidates lacking basal SFM for CTLs were identified by a literature search. Cholesterol, phospholipids, and polyamines, which are principal components in serum, were selected on the basis of their positive roles in cell growth of many mammalian cell lines \[[@B11]-[@B13]\]. Antioxidants, which are known to exert a synergistic effect on cell growth with polyamines \[[@B14]\], were also included as candidates. In order to assess the effects of these candidate components on the growth of CTLs, a fractional factorial design was employed to screen active factors for cell growth, followed by response surface designs to optimize their concentration. The cellular functions of CTLs grown in the newly developed SFM were also characterized by a cytotoxicity assay and an enzyme-linked immunospot (ELISpot) assay. To generate antigen-specific CTLs, we used cytomegalovirus (CMV) peptide epitope NLVPMVATV as an antigen. Derived from the immunodominant CMV matrix protein pp65, it is one of the most widely studied antigens in clinical studies \[[@B15]-[@B17]\]. Results ======= SFM designed by a fractional factorial method --------------------------------------------- The basal SFM for *in vitro*expansion of T lymphocytes, the components of which are listed in Table [1](#T1){ref-type="table"}, was formulated through a literature search and confirmed via culture experiments (data not shown). In order to further improve the SFM, 4 supplements, phosphatidylcholine, polyamine supplement, antioxidant supplement, and cholesterol, were selected as potential growth enhancers, based on their growth promoting abilities reported in previous studies with other cells. Due to a limited cell number, a statistical approach based on a fractional factorial design was applied for efficient testing of selected active supplements. As shown in the matrix presented in Table [2](#T2){ref-type="table"}, kinds 8 of SFM were prepared. The first row of (-) elements in Table [2](#T2){ref-type="table"} is a basic assembly referring to the basal SFM. Since the culture performance of PBMCs in these SFM may depend on the donors, three sets of experiments were carried out independently with PBMCs prepared from three different donors. Cell cultures were performed with IL-2 supplementation, as described in the Materials and Methods section. ###### Composition of the basal SFM RPMI1640 supplemented with: ----------------------------------- ------------------------ **Components** **Concentration (/l)** Bovine serum albumin 2.5 g Insulin 5 mg Ferric citrate 2 mg Ethanolamine 1.22 mg Linoleic acid 1 mg Oleic acid 1 mg Palmitic acid 1 mg L-glutamine 584 mg Sodium pyruvate 110 mg 2-mercaptoethanol 0.78 mg 1-thioglycerol 5.41 mg RPMI1640 nonessential amino acids 20 ml RPMI1640 vitamins solution 10 ml ###### Matrix of the fractional factorial design (2^4-1^) for the 4 supplements. Basal SFM supplemented with: ----- ------------------------------ ---- ---- ---- \#1 \- \- \- \- \#2 \+ \- \- \+ \#3 \- \+ \- \+ \#4 \+ \+ \- \- \#5 \- \- \+ \+ \#6 \+ \- \+ \- \#7 \- \+ \+ \- \#8 \+ \+ \+ \+ (-) no addition; (+) addition of the indicated amount of additives. Figure [1](#F1){ref-type="fig"} shows the growth profiles of PBMCs from one donor (Set \#1 in Table [3](#T3){ref-type="table"}) in these media with IL-2 supplementation during cultures. Cells cultured in even numbers of SFM (\#2, \#4, \#6, and \#8), which are denoted with opened symbols in Figure [1](#F1){ref-type="fig"}, did not grow well. They maintained their initial seeding density or died gradually. Because the common supplement in the even numbers of SFM was phosphatidylcholine, it is likely that phosphatidylcholine inhibits cell growth. Maximum viable cell concentrations achieved in SFM \#3, \#5, and \#7 were comparable to or higher than that in the basal SFM (SFM \#1). Although the growth patterns of PBMCs in the SFM depended on the donors, the general tendency regarding the effect of each supplement on growth did not change significantly (data not shown). The maximum viable cell concentrations achieved in the cultures of PBMCs from the three different donors with the SFM are summarized in Table [3](#T3){ref-type="table"}. ![**Growth profiles of cells cultured in 8 different SFM defined by the fractional factorial design**. Cell cultures were replicated independently with PBMCs prepared from three different donors. This figure shows one representative growth profile among the three cultures. Black circles, SFM \#1; white circles, SFM \#2; inverted black triangles, SFM \#3; white triangles, SFM \#4; black squares, SFM \#5; white squares, SFM \#6; black diamonds, SFM \#7; white diamonds, SFM \#8. The compositions of the supplements for the eight media are shown in Table 2.](1472-6750-10-70-1){#F1} ###### Maximum viable cell concentrations in 8 SFM designed by the fractional factorial method. SFM Maximum viable cell concentration (10^5^cells/ml) --------- --------------------------------------------------- ------- ------- SFM \#1 15.03 25.38 39.60 SFM \#2 5.12 7.83 7.95 SFM \#3 17.91 24.84 49.32 SFM \#4 4.56 4.62 7.02 SFM \#5 15.75 28.80 37.80 SFM \#6 5.42 4.72 6.52 SFM \#7 18.45 19.44 42.66 SFM \#8 8.55 6.03 4.89 PBMCs were obtained from three different donors (Set \#1, Set \#2, and Set \#3). The seeding density was 5 × 10^5^cells/ml. To determine positive factors for cell growth from among the 4 supplements tested, the maximum viable cell concentrations in each culture were evaluated in the normal probability plot. Figure [2](#F2){ref-type="fig"} shows the normal probability plot of the fractional factorial design. In the normal plots, the ordered effects are plotted on the x-axis, and the appropriate normal % probability is plotted on the y-axis. If some of the variables affect the response, real effects will fall off the line in the plot, either high and to the right (for positive effects) or low and to the left (for negative effects) \[[@B18]\]. ![**Normal probability plot of the effects obtained from 4 supplements**. Black circles, phosphatidylcholine; white circles, polyamine supplement; inverted black triangles, antioxidant supplement; white triangles, cholesterol. The data points were plotted using maximum viable cell concentrations of three independent cultures.](1472-6750-10-70-2){#F2} The main effect of phosphatidylcholine, located in the lower left-hand portion of the plot, was always negative with regard to cell growth, consistent with the previous assumption. Cholesterol, located in the upper right-hand of the plot, always showed a positive effect on cell growth. In the case of the polyamine supplement, a positive effect was shown in two out of the three tests. As for the antioxidant supplement, a negative effect was observed in two out of the three tests. Accordingly, among the four candidates, excluding the clearly negative candidate (phosphatidylcholine) and one possibly negative candidate (antioxidant supplement), cholesterol and polyamine supplement were chosen as active factors on cell growth. Determination of optimal concentrations of supplements using a statistical analysis ----------------------------------------------------------------------------------- In order to optimize the concentration of cholesterol and polyamine supplement, 9 kinds of SFM were designed by the response surface method. Cell cultures were performed with IL-2 supplementation, as described in the Materials and Methods section. Figure [3A](#F3){ref-type="fig"} shows various combinations of cholesterol and polyamine supplement with a range of 0 and 4× in these SFM. Excessively high concentrations of cholesterol and polyamine supplement did not promote cell growth in the preliminary cultivation (data not shown). PBMCs from the three different donors were cultivated independently in these media for approximately three weeks. As summarized in Table [4](#T4){ref-type="table"}, the highest maximum viable cell concentration was always achieved in SFM\* \#4. Compared to the control SFM (SFM\* \#2), an approximate 1.4-fold increase in maximum viable cell concentration was achieved in SFM\* \#4. The results of the analysis of the response surface design using Design-Expert^®^led to the optimized composition of SFM shown in Figure [3B](#F3){ref-type="fig"}. Thus, the preferred SFM formulation is the basal SFM supplemented with 3.3× of cholesterol (13.2 mg/l) and 0.1× of polyamine supplement (Sigma, \#P8483). ![**Response surface design for determination of optimal concentrations of supplements**. A. SFM with various combinations of cholesterol and polyamine supplement designed by the response surface method. B. Response surface graph for the effect of cholesterol and polyamine supplement on maximum viable cell concentration.](1472-6750-10-70-3){#F3} ###### Maximum viable cell concentrations in 9 SFM designed by the response surface method. SFM Maximum viable cell concentration (10^5^cells/ml) ----------- --------------------------------------------------- ------- ------- SFM\* \#1 18.12 16.47 9.66 SFM\* \#2 14.49 20.97 12.87 SFM\* \#3 22.68 9.45 13.38 SFM\* \#4 23.13 23.67 17.64 SFM\* \#5 9.01 9.48 8.61 SFM\* \#6 10.83 12.48 5.21 SFM\* \#7 15.21 21.24 16.20 SFM\* \#8 9.39 6.78 9.04 SFM\* \#9 12.78 13.20 7.11 Concentrations of cholesterol and polyamine supplement in each SFM are shown in Figure 3A. Three sets of cultures were performed independently with PBMCs obtained from the three different donors. The seeding density was 5 × 10^5^cells/ml. To confirm cell growth in the optimized SFM, PBMCs were cultivated with IL-2 supplementation in 10 kinds of SFM, including the optimized SFM and the 9 designed SFM shown in Figure [3A](#F3){ref-type="fig"}. Figure [4A](#F4){ref-type="fig"} shows typical cell growth profiles of PBMCs in SFM. Cell growth in the optimized SFM was compared with the other SFM designed by the response surface method. In all three independent cultures of PBMCs isolated from the three different donors, cell growth in the optimized SFM was always better than that in any other medium. Growth performance in the optimized SFM was also compared with that in SCM. As shown in Figure [4B](#F4){ref-type="fig"}, growth performance of PBMCs in the optimized SFM depended on the donor. However, cell growth in the optimized SFM was always better than that in SCM. ![**Growth profiles of cells cultured in an optimized SFM**. A. Comparison with SFM\* shown in Figure 3A. Black circles, SFM\* \#1; white circles, SFM\* \#2; inverted black triangles, SFM\* \#3; white triangles, SFM\* \#4; black squares, SFM\* \#5; white squares, SFM\* \#6; black diamonds, SFM\* \#7; white diamonds, SFM\* \#8; black triangles, SFM\* \#9; inverted white triangles, optimized SFM. This figure shows one representative growth profile among the three independent cultures. B. Comparison with SCM. Three sets of cultures were performed independently with PBMCs obtained from the three different donors. Symbol indicates each set. Black symbols represent cells grown in optimized SFM, and white symbols represent cells grown in SCM.](1472-6750-10-70-4){#F4} Phenotypical analysis of cells cultured in developed SFM -------------------------------------------------------- PBMCs comprise monocytes and lymphocytes including T cells (CD4^+^and CD8^+^), B cells, and NK cells. To determine the possible changes in cell population of PBMCs cultured in the developed SFM with IL-2 supplementation, subsets of the population at the maximum viable cell concentration in SFM as well as SCM, as shown in Figure [4B](#F4){ref-type="fig"}, were analyzed by flow cytometry with fluorochrome-conjugated monoclonal antibodies (CD14 to monocytes, CD3 to CD4^+^and CD8^+^T cells, CD8 to CD8^+^T cells, and CD19 to B cells). Initially, the major cell population was T lymphocytes, while 13-27% of PBMCs were monocytes and B cells. Regardless of the culture media, most of the viable cells, after cultivation with IL-2 supplementation, were T lymphocytes, while monocytes and B lymphocytes were not detected. The percentage of CD3^+^T lymphocyte population was similar between SFM and SCM (*p*= 0.22, n = 3). The results of the phenotypical analysis are summarized in Table [5](#T5){ref-type="table"}. ###### Phenotypical analysis of cells cultured in developed SFM and SCM. Set \#1 PBMCs (%)^a^ SFM (%)^b^ SCM (%) ------------- --------------- ------------- ------------- CD14 5.21 \-^c^ \- CD19 20.63 \- \- CD3 58.80 81.34 83.72 CD8 20.42 30.50 29.86 **Set \#2** **PBMCs (%)** **SFM (%)** **SCM (%)** CD14 6.66 \- \- CD19 19.97 \- \- CD3 62.99 84.32 88.83 CD8 19.56 18.6 11.23 **Set \#3** **PBMCs (%)** **SFM (%)** **SCM (%)** CD14 1.55 \- \- CD19 11.53 \- \- CD3 64.58 78.34 90.82 CD8 19.32 28.58 6.80 ^a^Freshly thawed PBMCs, before cultivation, were analyzed. ^b^Cell samples in the three independent cultures were taken at a maximum viable cell concentration (refer to Figure 4B). ^c^not detected. Functional assays of cells cultured in developed SFM ---------------------------------------------------- To determine the effector function of CTLs cultivated in the developed SFM, antigen-specific CTLs were first generated from PBMCs, cultured in both the developed SFM and SCM, by stimulation of peptide-presenting DCs. The effector function of CTLs was then characterized by a cytotoxicity assay and an ELISpot assay. Functional assays were duplicated independently. Figure [5A](#F5){ref-type="fig"} shows the % cytotoxicity of antigen-specific CTLs. When 1 × 10^5^cells/ml of target cells were cultivated with effector cells at a ratio of 1:20, the % cytotoxicity of antigen-specific CTLs generated from PBMCs that had been cultured in the developed SFM, reached approximately 90%; with dilution of these ratios to 1:10, 1:5, and 1:2.5, the % cytotoxicity decreased to 69%, 35%, and 12%, respectively. Considering the standard deviations generated between replicated wells, the cytotoxicity of the cells cultured in the two media, SFM and SCM, was approxymately the same (*p*= 0.47, *p*= 0.97, *p*= 0.27, and *p*= 0.74 at each ratio). ![**Functional assays of CMV-specific CTLs generated from PBMCs cultured in the developed SFM and SCM**. A. Cytotoxicity of CMV-specific CTLs generated from PBMCs cultured in the developed SFM (black circles) and SCM (white circles) was tested for their ability to lyse target cells. B. CMV-specific responses obtained by ELISpot using the developed SFM and SCM as culture media. Functional assays were duplicated independently and each experiment was carried out in triplicates. Error bar represents the standard deviation (n = 3).](1472-6750-10-70-5){#F5} Figure [5B](#F5){ref-type="fig"} shows the results of the ELISpot assay. Unlike the cytotoxicity assay, the results of the ELISpot assay differed to a certain degree according to the medium in which the PBMCs were grown. In the case of PBMCs cultured in the developed SFM, an average of 67 spot-forming cells (SFC)/10^4^effector cells were observed after subtracting background spots, whereas in the case of PBMCs cultured in the SCM, an average of 17 SFC/10^4^effector cells were shown. SFC in SCM decreased to one-fourth of that seen in SFM (*p*\< 0.001). According to a previous study \[[@B19]\], use of SFM should enhance (2.4-fold median increase) detection sensitivity in the ELISpot assay, which corresponds to the results of this study. Taken together, the use of developed SFM to culture PBMCs was advantageous, considering the cellular function as well as growth profiles. Discussion ========== In developing SFM for *in vitro*expansion of human CTLs, a limitation of cell number from the same donor thwarted the employment of a full factorial design. In this study, a simple approach to screen media supplements that enhance the growth of T lymphocytes was described. The approach combined elements of statistical experimental design with maximum cell concentration to identify potent growth responses of T lymphocytes. The use of normal probability plots confirmed the experimental results in a statistical sense which provided a simple means of analyzing and prioritizing the consequences of our experimental results. Although serum has previously been replaced by several supplements in lymphocyte cultures \[[@B8]\], the SFM developed in this study showed a more enhanced effect on the growth of lymphocytes. We adopted a basal SFM with the serum-free components listed in Table [1](#T1){ref-type="table"}. Transferrin, a widely used but expensive growth factor, was also successfully replaced by ferric citrate which could deliver iron to cells. In addition, 2-mercaptoethanol and 1-thioglycerol were used because they were reported as positive factors on proliferation and activation of lymphocytes \[[@B9]\]. Among four candidates chosen to further enhance the growth of lymphocytes, cholesterol and polyamine supplement were selected as active factors on cell growth by analysis of Design-Expert^®^. Cholesterol, one of the major lipid constituents in serum, is a major lipid component of the plasma membrane in most cells, and polyamines including putrescine and spermidine are commonly used to supplement SFM for a variety of cell types \[[@B20]-[@B22]\]. The optimal concentrations of these two supplements were 3.3× of cholesterol and 0.1× of polyamine supplement. The optimal concentration of polyamine supplement was quite low, compared to that of cholesterol. In three independent cultures, cholesterol always showed a positive effect on cell growth. However, in the case of polyamine supplement, a negative effect on growth was observed in one case. Polyamine supplement, similar to antioxidant supplement, which showed inconsistent responses in repeated experiments, displayed a marginal effect on cell growth. On the other hand, although being universally used in SFM as a lipid source, phosphatidylcholine showed a significantly negative effect on the growth of lymphocytes. Phosphatidylcholine is one of the phospholipids that constitute serum, and it is known as an active factor on cell growth \[[@B12],[@B23]\]. The effect of phosphatidylcholine, however, could be affected by the kinds of cells cultured and the concentration of phosphatidylcholine used \[[@B24],[@B25]\]. In addition, the effects of phosphatidylcholine on cell growth were influenced by the lipids present in serum \[[@B26]\]. Therefore, it is assumed that lymphocyte culture can be negatively affected by phosphatidylcholine, especially when fatty acids are supplemented as a lipid replacement. For the rapid generation of large numbers of CTLs, different strategies have been employed, each having respective, and debatable, pros and cons. In some cases, CD8^+^T cells are initially separated from PBMCs, and the process of expansion is then completed \[[@B27]\]. Such a strategy would yield a greater number of CTLs at the end of the culture. However, in this study, since the focus was on developing a SFM, culture strategy was not emphasized. As expected, growth profiles of PBMCs, which are not a continuous cell line, varied depending on the donors. In some cases, when cells were cultured in SCM, they did not grow (Figure [4B](#F4){ref-type="fig"}). Furthermore, with regard to the % of CD8^+^lymphocytes in the cultured cells, variation between donors in SCM was more significant than that in SFM (Table [5](#T5){ref-type="table"}). Therefore, use of SFM can reduce the variation that can be generated from many causes during the culture period. Furthermore, cytotoxicity and ELISpot assays revealed that the effector function of CTLs cultivated in the developed SFM was retained or even better than that in SCM. Conclusions =========== SFM with cholesterol and polyamine supplement for human lymphocyte culture was developed efficiently using a statistical method. This SFM provides better or at least equivalent performance with respect to cell growth, variation in cell population, and cytotoxicity, compared to SCM. Methods ======= Medium composition and preparation ---------------------------------- A basal SFM, which was developed in our laboratory, was based on RPMI1640 medium (Invitrogen, Grand Island, NY) containing 2 g/l NaHCO~3~(Sigma, St. Louis, MO). All supplements used in the basal SFM, unless otherwise specified, were purchased from Sigma and their concentrations are given in Table 1. Insulin and ferric citrate were prepared in 1 M acetic acid and boiling water, respectively. Fatty acids such as linoleic acid, oleic acid, and palmitic acid were first dissolved in ethanol and then diluted in culture medium. RPMI1640 non-essential amino acids (Sigma, \#R7131) and vitamins solution (Sigma, \#R7256) were added as 1× concentration in culture medium before use. Other supplements were dissolved in water before addition to the culture medium. Fetal bovine serum (FBS) used in serum-containing medium (SCM) was purchased from Invitrogen, and a commercial SFM, X-VIVO15, was purchased from Lonza (Walkersville, MD). Interleukin-2 (IL-2) (Millipore, Bedford, MA), which was added into the culture media as a growth factor, was reconstituted in 100 mM acetic acid. Potential components for growth enhancement ------------------------------------------- Four supplements were chosen according to their general function in cell culture. The supplements were (1) phosphatidylcholine (5 mg/l), (2) polyamine supplement (\#P8483), (3) antioxidant supplement (\#A1345), and (4) cholesterol (4 mg/l) (all from Sigma). Polyamine supplement and antioxidant supplement were supplied as 1000× concentrates. Phosphatidylcholine and cholesterol were first dissolved in ethanol and then diluted in the culture medium before use. Experimental design and statistical analysis -------------------------------------------- An experimental design was applied using Design-Expert^®^software (version 7.1.2, Stat-Ease, Inc., MN) employing one-half fraction of the two-level factorial design with 4 factors (2^4-1^) involving 8 combinations of all factors (Table [2](#T2){ref-type="table"}). The 4 supplements were screened using two-level fractional factorial designs to estimate their effect on maximum cell concentration. After selecting two positive determinants on growth, 9 kinds of SFM were determined by response surface designs with range of these supplement concentrations between 0 and 4×. Design-Expert^®^provided a fractional factorial matrix, a normal probability plot, a response surface matrix, and a contour plot of the predicted elongation values of maximum cell concentration. It was then possible to find the optimal concentrations of two positive supplements for cell growth. The response surface designs were analyzed by fitting a quadratic model. The model adequacy was confirmed using analysis of variance (ANOVA). *In vitro*lymphocyte culture ---------------------------- Peripheral blood mononuclear cells (PBMCs) were collected by apheresis from normal HLA-A0201 donors after obtaining informed consent. PBMCs were isolated from the apheresis product by Ficoll-Hypaque density gradient centrifugation (Pharmacia Biotech, Wikstrom, Sweden) and cryopreserved at -160°C in human AB^+^serum and RPMI1640 medium (Invitrogen) containing 10% DMSO (Sigma), as described previously \[[@B28]\]. After thawing, isolated PBMCs were washed twice with phosphate-buffered saline (PBS) before seeding. PBMCs (5 × 10^5^cells/ml) were plated into 24-well plates (Nunc, Roskilde, Denmark) containing 2 ml of culture media and then cultivated in a 5% CO~2~/air mixture, humidified at 37°C. Every two days, 1 ml of culture supernatant was gently replaced with 1 ml of the fresh medium supplemented with IL-2 (Millipore). The final IL-2 concentration in culture media was 50 U/ml. For determination of viable cell concentration, each well was sacrificed every other day. Viable cell concentration was estimated by the trypan blue dye exclusion method using a hemacytometer. Unless specified, all cell cultures were performed three times with PBMCs isolated from different donors. Generation of CMV-specific CTLs ------------------------------- To generate CMV-specific CTLs for functional assays, peptide-loaded autologous dendritic cells (DCs) were first generated as previously described \[[@B4],[@B28]\]. Briefly, PBMCs were incubated for 2 h at 37°C in X-VIVO15 medium. Adherent monocytes were suspended at a concentration of 1 × 10^6^cells/ml in X-VIVO15 supplemented with GM-CSF (800 U/ml, Millipore) and interleukin-4 (IL-4, 1000 U/ml, Millipore). On day 2 and 4 of culture, spent medium was exchanged with fresh medium containing 1600 U/ml of GM-CSF and 1000 U/ml of IL-4. On day 5, 200 U/ml of tumor necrosis factor-α (TNF-α) (Millipore) was added for the maturation of DCs. After 48 h maturation, autologous DCs were pulsed with NLVPMVATV peptides (10 μg/ml, Peptron, Korea), HLA-A0201 restricted CMV peptide epitope, for at least 2 h and then irradiated (25 Gy). PBMCs cultured *in vitro*using culture media supplemented with IL-2 (developed SFM or serum-containing medium (SCM): RPMI1640 supplemented with 10% FBS) were plated at a concentration of 1 × 10^6^cells/well in a 24-well culture plate (Nunc) with 2 ml of the corresponding culture media and directly stimulated with peptides at a concentration of 10 μg/ml (day 0) and with peptide-pulsed of autologous DCs (at a ratio of 1:10 DCs to PBMCs, day 7, day 14 and day 21 for a 4-week expansion). Every two days, 1 ml of culture supernatant was gently replaced with 1 ml of the fresh medium supplemented with IL-2 (50 U/ml, Millipore). After 24 days of cultivation, cells were subjected to cytotoxicity and ELISpot assays. Flow cytometry -------------- Fresh PBMCs isolated by Ficoll-Hypaque density gradient centrifugation and 15-day cultured PBMCs were prepared for flow cytometric phenotypic analysis. Flow cytometry was performed according to standard procedures. In brief, 5 × 10^5^cells/tube were stained in the dark for 20 min at 4°C with FITC-labeled anti-CD3, PE-labeled anti-CD8, FITC-labeled anti-CD19 or PE-labeled anti-CD14 monoclonal antibody. All antibodies were obtained from BD Biosciences (San Diego, CA). Unstained cells were used as a negative control. After washing in PBS, cells were analyzed on a FACS LSRII (BD Biosciences) using Flowjo software (Tristar, San Carlos, CA) Cytotoxicity ------------ The cytotoxic specificity was determined by lysis of target cells using a lactate dehydrogenase (LDH)-release assay (CytoTox 96^®^non-radioactive cytotoxicity assay kit, Promega, Madison, WI) according to the manufacturer\'s instructions. Peptide-sensitized PBMCs were used as effector cells and peptide-presenting autologous DCs were used as target cells. Each test was repeated twice in two media (SFM and SCM). Target cells (1 × 10^5^cells/ml) were cultured with effector cells at various ratios of target cells to effector cells (1:20, 1:10, 1:5, and 1:2.5) in 96-well U-bottom plates (Nunc) in 100 μl of culture media for 6 h. Cells were plated in triplicates at each ratio. LDH release was quantified by measuring wavelength absorbance at 490 nm. The percentage of target cell lysis was calculated according to the following formula: \[(experimental LDH release - target cells spontaneous LDH release - effector cells spontaneous LDH release) × 100\]/\[(target maximum LDH release - target spontaneous LDH release)\]. ELISpot assay ------------- To determine the frequency of T lymphocytes capable of responding to a specific stimulus by secretion of IFN-γ, an ELISpot assay was carried out as described previously \[[@B29]-[@B31]\]. Polyvinylidene fluoride (PVDF) plates (Millipore) were coated with anti-IFN-γ monoclonal antibody (BD Biosciences) (10 μg/ml in PBS) and incubated overnight at 4°C. Plates were then washed 6 times with PBS to remove unbound antibody. After blocking with culture media (SFM or SCM) at room temperature for 1 h, peptide-sensitized PBMCs (1 × 10^4^/well) were plated in triplicates with peptide-presenting autologous DCs (1 × 10^3^/well in 100 μl of culture media. Cells cultured without activation with DCs were used as a control. After incubation at 37°C, 5% CO~2~humidified incubator for 24 h, cells were removed from the plates by 5 washes with PBS and one wash with distilled water. PBS/T was then used for all further washing steps. Wells were incubated with 100 μl of biotinylated monoclonal anti-human IFN-γ antibody (1 μg/ml PBS/FBS 10%, BD Biosciences) for 2 h at 37°C, 5% CO~2~, to detect captured IFN-γ. After 6 washes, 100 μl of avidin-horseradish peroxidase conjugate (1:1000 dilution in PBS/FBS 10%, BD Biosciences) was added. After 1 h incubation at room temperature, wells were washed six times. Coloration was developed with 3-Amino-9-ethylcarbazole (AEC, Sigma) and the reaction was terminated after 20 min by washing the plates with distilled water. The visible spots were counted using a Stemi 2000-C dissecting microscope (Carl Zeiss, Inc., Thornwood, NJ). Authors\' contributions ======================= MKJ, JBL, and GML designed the research. MKJ performed all the experiments and analyzed the data. JBL supported by supplying PBMCs. JBL and GML conceived the study. MKJ and GML wrote the manuscript. All authors have read and approved the final manuscript. Acknowledgements ================ This research was supported in part by WCU program through the KOSEF funded by the MEST (grant number: R31-2008-000-10071-0) and the Ministry of Commerce, Industry, and Energy. We thank KAIST Language Center for the copy-editing service.
Plaits & Cats Steffi has been a good friend and neighbour to us for ten years and finally came round to check out the bread baking aroma that wafts from our windows for an Introduction to Sourdough Course. In addition to the usual Pain de Campagne, Classic, Five Seed with Spelt, Cherry Tomato Focaccia and baguettes, she talked me into teaching the famous Oat & Honey which has become one of her favourites. Plus there was plenty of dough to practice shaping, slashing, rolls, knots and of course a plait to match her hair.
Q: Is using cat to read data from standard input and write it to a file not a useless use of cat? I want to write a shell script that accepts data from standard input, write it to a file and then does something with it. For the purpose of this question, let us assume, that my script should accept standard input, write it to in.txt, then grep a string "foo" from it and write the output to out.txt. I wrote this script. cat > in.txt grep foo in.txt > out.txt As explained in some of the answers below, one could just use tee in.txt | grep foo > out.txt What if it is some other command instead of grep that does not read from standard input? Does it become a valid use of cat then? Here is one such example with chmod. cat > in.txt chmod -v 600 in.txt > out.txt It is a requirement that both the input and the output must be available in files after the script ends. I would like to know if my code is making a useless use of cat or if this is a perfectly valid scenario when cat may be invoked like this? Also, is there a way to rewrite this code without using cat such that it does not make a useless use of any command? Note: I am concerned with answers that applies to any POSIX compliant shell, not just Bash or Linux. A: Its a valid use of cat but the tee command is what you want. Its designed to write everything to a file and to stdout. tee in.txt | grep foo > out.txt
Former National Football League (NFL) players are more likely to have enlarged aortas, a condition that may put them at higher risk of aneurysms, according to a study being presented today at the annual meeting of the Radiological Society of North America (RSNA). The aorta, the largest artery in the body, carries blood from the left ventricle, the heart's main pumping chamber, to the rest of the body. The short section that rises from the left ventricle and supplies the coronary arteries with blood is called the ascending aorta. Enlargement, or dilation, of the ascending aorta can increase the chances of a life-threatening aneurysm. Risk factors for dilation include high blood pressure, smoking and connective tissue disorders. "Patients whose ascending aortas are more than 4 centimeters in diameter are generally considered to have dilation, which can progress over time and potentially weaken the wall of the aorta," said study author Christopher Maroules, M.D., formerly of the University of Texas Southwestern Medical Center in Dallas and current chief of cardiothoracic imaging at the Naval Medical Center in Portsmouth, Va. For the new study, Dr. Maroules and colleagues evaluated whether past participation in the NFL is associated with increased prevalence of ascending aortic dilation. The research arose from observations made by the study's principal investigator Dermot Phelan, M.D., Ph.D., from Cleveland Clinic, who has worked closely over the years with the NFL, studying the cardiovascular health of retired players. The researchers compared 206 former NFL athletes with 759 men from the Dallas Heart Study who were older than age 40 with a body mass index greater than 20. They obtained imaging data using cardiac gated non-contrast CT, a technique that allowed them to "freeze" the motion of the heart by synchronizing the CT to the electrocardiogram. They also obtained coronary artery calcium scores, a measure of atherosclerotic plaque. Compared to the control group, former NFL athletes had significantly larger ascending aortic diameters. Almost 30 percent of the former NFL players had an aorta wider than 4 centimeters, compared with only 8.6 percent of the non-players. Even after adjusting for age, body mass and cardiac risk factors, former NFL players were still twice as likely as the control group to have an aorta wider than 4 centimeters. The coronary artery calcium scores were similar in both groups. "In former NFL athletes, there was a significantly higher proportion of aortic dilation compared to our control group," said Dr. Maroules. "This process is likely not associated with atherosclerosis cardiovascular disease, because when we compared coronary calcium we found no significant difference between the two groups." The results suggest that some type of remodeling process occurs in the aorta of athletes who engage in repeated strenuous exercise, according to Dr. Maroules. "It remains to be seen if this remodeling sets athletes up for problems later in life," he said. "We're just scratching the surface of this intriguing field, and imaging can play an important role in it."
In conventional panoramic night vision systems two separate monocular subassemblies are provided. Each monocular subassembly includes two image channels. Each of the image channels may be provided by an objective assembly that transmits an image from a viewed object to an image intensifier tube that intensifies the luminance of the image, and outputs the intensified image to another optical assembly, such as an eye piece. The panoramic effect of such a night vision system is achieved by angling the optical axes of each of the two image channels of each monocular relative to one another, but having partially overlapping fields of view. The separate image channels must be combined, such as by an eyepiece, to provide a wide angle field of view. In order to provide the desired panoramic view, it is necessary that the individual optical axes of the image channels be properly aligned with the image combiner. If the optical axes of the separate image channels are not properly aligned, the image may be sheared. Unfortunately, the center of the optical axis of an image intensifier tube may vary between different image intensifier tubes. The variation in the optical center of image intensifier tubes must be accommodated during the manufacture or assembly of a panoramic night vision system in order to assure the proper alignment of the optical axis of each channel in a monocular. Conventionally, during manufacture of the night vision system the optical center of the image intensifier tube is properly aligned with the optical axis of the assembly and the image intensifier tube is secured in place in the optical assembly to prevent shifting of image intensifier tube. Securing the image intensifier tube in the optical assembly may include bonding the image intensifier tube to an adjacent component of the assembly, clamping the image intensifier tube in an axial manner using a retaining ring, etc. While the above techniques may be able to overcome the problem of initial alignment of the image intensifier tube in the night vision system, optical tolerances are too high to allow replacement or removal of the image intensifier tube without realigning and re-securing image intensifier tube. Accordingly, there is a need for a night vision system and method that allows self-alignment of an image intensifier tube upon replacement of the tube.
St John Young Lieutenant St John Graham Young GC (16 June 1921 – 24 July 1944) was a decorated British Army officer of the Second World War. He was posthumously awarded the George Cross, the highest British (and Commonwealth) award for bravery out of combat, for his heroism in rescuing his comrades from a minefield in Italy on 23 July 1944. He was serving with the Royal Tank Regiment, attached to the Central India Horse, part of the Indian Armoured Corps. Notice of the award was published in the London Gazette on 20 July 1945. Young had been leading a night patrol on 23 July 1944, when he and his men found themselves in any enemy minefield. He received the full force of a mine explosion, severely injuring both legs. Despite his wounds, his encouragement enabled the majority of his men to reach safety. One of them, Sowar Ditto Ram, was also posthumously awarded the GC for his actions in the same incident. Young was born in Esher in Surrey, educated at Bloxham School in Oxfordshire and commissioned into the RTR in 1942. He is buried in Arezzo War Cemetery. References Kempton, Chris, The Victoria Crosses and George Crosses of the Honourable East India Company and Indian Army, Military Press, 2001, King George V's Own Central India Horse. The story (continued) of a Local Corps. Volume 2 by Brig. A. A. Filose. Category:1921 births Category:1944 deaths Category:British Army personnel of World War II Category:British recipients of the George Cross Category:British Indian Army officers Category:Royal Tank Regiment officers Category:British military personnel killed in World War II Category:People educated at Bloxham School Category:People from Esher
StartChar: Epsilon.sc Encoding: 66079 -1 2353 Width: 480 VWidth: 0 Flags: HMW AnchorPoint: "grk_top" 228 590 basechar 0 AnchorPoint: "grk_bottom" 244 -147 basechar 0 AnchorPoint: "grk_uc_right" 468 190 basechar 0 LayerCount: 3 Fore Refer: 2329 949 N 1 0 0 1 0 0 2 Validated: 1 EndChar
In the multiple dial type combination lock disclosed in Gehrie U.S. Pat. No. 3,439,515, a latch member formed to engage a cooperable hasp is movable longitudinally to latching and unlatching positions by means of a dead-bolt action puller which is slidably supported on the face plate of the lock. Combination dials rotatable with associated sleeve means extend through respective longitudinally spaced slots provided in the face plate off to one side of the puller. The latch member has slots aligned with but wider than the face plate slots for receiving respective dials, these slots being cooperable with flanges and flat portions on the sleeve means for locking the latch member in latching position when the dials are off combination and for permitting movement of the latch member between latching and unlatching positions by means of the puller when the dials are on combination. Combination locks constructed in accordance with the aforementioned Gehrie patent have been satisfactory for use in connection with luggage. When the lock is applied to the center of one of the cooperable sections of a hinged case, such as a luggage case, the puller can be conveniently moved in the direction away from the dials by thumb pressure to unlatch the case. In closing the case, it is common practice for the user to place his hands on the case in positions on opposite sides of the lock and spaced from the lock so that the luggage case sections can be drawn together by the force applied between the palm and the fingers of each hand. In fact, when the case is overpacked, this may be the only satisfactory method of closing the case. However, with the hands so positioned the puller cannot be conveniently actuated to latch the luggage case sections together, because the hand best suited to apply thumb pressure to draw the puller toward the dials to latching position is on the side of the lock opposite the side having the puller. As a result, the hand must be moved to a position closely adjacent to or even overlying a portion of the lock so as to enable the thumb to engage the puller. Such movement is especially awkward when the luggage case is overpacked.
Q: Appium + Android + WebDriver findElement() : cannot find element after sendKeys()? I have a simulated Android device and Appium. My test successfully launches the right Activity and types in a particular text field. But when I try to find the same text field in order to check the text in it, I get "An element could not be located on the page using the given search parameters." Even if I try to re-use the element instead of searching for it a second time, it still fails with the same message. What should I do differently? Maybe the context for the second findElement() is wrong -- I can't find the button next to the text field either. Here's a git repo that contains an app and a test project. The failed JUnit test demonstrates the issue: https://github.com/achengs/an-appium-question Details below (code and Appium log interleaved) Here's the first findElement which succeeds. The layout xml file for the Activity has this attribute for the text field that I'm looking for: android:id="@+id/edit_message" public static final String MESSAGE_TO_SEND = "edit_message"; ... WebElement e = driver.findElement(By.id(MESSAGE_TO_SEND)); First findElement succeeds: debug: Appium request initiated at /wd/hub/session/0ec259be-87e0-47f6-9279-da577fe29a07/element debug: Request received with params: {"using":"id","value":"edit_message"} info: Pushing command to appium work queue: ["find",{"strategy":"id","selector":"edit_message","context":"","multiple":false}] info: [BOOTSTRAP] [info] Got data from client: {"cmd":"action","action":"find","params":{"strategy":"id","selector":"edit_message","context":"","multiple":false}} info: [BOOTSTRAP] [info] Got command of type ACTION info: [BOOTSTRAP] [debug] Got command action: find info: [BOOTSTRAP] [debug] Finding edit_message using ID with the contextId: info: [BOOTSTRAP] [info] Returning result: {"value":{"ELEMENT":"1"},"status":0} info: Responding to client with success: {"status":0,"value":{"ELEMENT":"1"},"sessionId":"0ec259be-87e0-47f6-9279-da577fe29a07"} POST /wd/hub/session/0ec259be-87e0-47f6-9279-da577fe29a07/element 200 5656ms - 109b Saying hello! String text = "hello!"; e.sendKeys(text); That succeeds: debug: Appium request initiated at /wd/hub/session/0ec259be-87e0-47f6-9279-da577fe29a07/element/1/value debug: Request received with params: {"id":"1","value":["hello!"]} info: Pushing command to appium work queue: ["element:setText",{"elementId":"1","text":"hello!"}] info: [BOOTSTRAP] [info] Got data from client: {"cmd":"action","action":"element:setText","params":{"elementId":"1","text":"hello!"}} info: [BOOTSTRAP] [info] Got command of type ACTION info: [BOOTSTRAP] [debug] Got command action: setText info: [BOOTSTRAP] [info] Returning result: {"value":true,"status":0} info: Responding to client with success: {"status":0,"value":true,"sessionId":"0ec259be-87e0-47f6-9279-da577fe29a07"} POST /wd/hub/session/0ec259be-87e0-47f6-9279-da577fe29a07/element/1/value 200 4215ms - 89b Here's the second findElement which fails. (If I skip this findElement and re-use the original one -- or if I try to find the Send button next to the text field instead, I still get a similar failure) WebElement f = driver.findElement(By.id(MESSAGE_TO_SEND)); Here's the log for the failure: debug: Appium request initiated at /wd/hub/session/0ec259be-87e0-47f6-9279-da577fe29a07/element debug: Request received with params: {"using":"id","value":"edit_message"} info: Pushing command to appium work queue: ["find",{"strategy":"id","selector":"edit_message","context":"","multiple":false}] info: [BOOTSTRAP] [info] Got data from client: {"cmd":"action","action":"find","params":{"strategy":"id","selector":"edit_message","context":"","multiple":false}} info: [BOOTSTRAP] [info] Got command of type ACTION info: [BOOTSTRAP] [debug] Got command action: find info: [BOOTSTRAP] [debug] Finding edit_message using ID with the contextId: info: [BOOTSTRAP] [info] Returning result: {"value":"No element found","status":7} info: Responding to client with error: {"status":7,"value":{"message":"An element could not be located on the page using the given search parameters.","origValue":"No element found"},"sessionId":"0ec259be-87e0-47f6-9279-da577fe29a07"} POST /wd/hub/session/0ec259be-87e0-47f6-9279-da577fe29a07/element 500 874ms - 223b There was a request for the HTML. I'm testing a native Android app. Here's the layout xml for the current Activity under test. If there's something else I should include here, please do let me know. <?xml version="1.0" encoding="utf-8"?> <LinearLayout xmlns:android="http://schemas.android.com/apk/res/android" xmlns:tools="http://schemas.android.com/tools" android:layout_width="match_parent" android:layout_height="match_parent" android:orientation="horizontal"> <EditText android:id="@+id/edit_message" android:layout_weight="1" android:layout_width="0dp" android:layout_height="wrap_content" android:hint="@string/edit_message" /> <Button android:layout_width="wrap_content" android:layout_height="wrap_content" android:text="@string/button_send" android:onClick="sendMessage" android:id="@+id/send"/> </LinearLayout> A: The ID used should not be "edit_message" but rather "com.company.app:id/edit_message". Basically if your layout.xml file specifies an ID for your UI element with android:id="@+id/foo" (and your app is com.company.app) then in your test you should use "com.company.app:id/foo" instead of just "foo". Using just "foo" may allow the UI element to be found but after a single interaction with it you will be unable to find anything in the UI. Not sure why this is, but it confuses matters.
相信大家在看视频学习的时候一定有多倍速播放的需求,今天就给大家推荐几款播放器 <!--more--> ## potplayer windows下推荐使用 ### 常见问题 - potplayer 播放下一个视频时,保持原有屏幕大小不变(锁定播放屏幕) 在potplayer打开右键菜单,找到播放——播放设置,里面有个播放窗口尺寸,你可以自定义窗口大小。勾选仅在播放视频时调整一次尺寸。之后你打开的视频都会是保持这个尺寸的。 ## smplayer ### 环境 Linux下推荐使用 ### 下载地址 http://www.smplayer.info/en/downloads ### 快捷键 不要散乱地记忆smplayer的快捷键. 要分类别的来记忆快捷键: 主要有audio, play, video: audio, 是设置声音的快捷键: 9, 0, 分别增加/减小音量, m表示mute. play: 设置设置放映的快捷键: 主要有: left/right: 10s为单位; up/down: 1min; pageup/pgdn: 10min ; 播放速度的快捷键: [, ], {, }, 分别是正负0.1 , 50%和2倍. 暂停: space, 如果创建了playlists, 可以用< 和 > 来进行上一首/下一首切换. video, 是指窗口大小/视频本身的大小 设置: 窗口大小: f: 全屏, ctrl+1, 100%, ctrl+2, 200%, ctrl+d则是双倍和原始大小进行切换. (这个ctrl_1, 是一个固定大小, 就是不管你把窗口拖放到什么尺寸, 只要按crl+1, 都会显示到那个固定的大小) 视频本身的大小: e: 放大, w缩小. e是指expand, 扩展, 放大, w: 为什么是缩小呢? 因为根据> <, (), [], {} , 这些成对的, 紧挨着的按键的布局来看. 左边的表示缩小, 右边的表示放大. s: 是截屏screenshots. 不定期更新~~ ## 参考资料 播放器smplayer的各种键盘快捷键 http://www.cnblogs.com/bkylee/p/6795295.html
SHARE THIS ARTICLE Share Tweet Post Email Dan Breckwoldt / Shutterstock.com Dan Breckwoldt / Shutterstock.com One weekend afternoon about a month after I moved aboard a canal boat in London, there was a rap-rap-rap on the wood and metal paneling of my front door. I had left it partly open to let in the breeze, and a woman was peeking in like a tentative cat. “Excuse me, do you live around here?” she asked. We were docked at Little Venice, a busy hub for tourists just a short walk north of Hyde Park. I said yes. She seemed confused, and pointing toward nearby Paddington, she asked again, “You mean, you live around here?” I noticed two more faces peeking around the door. “No,” I said, pointing to the floor in the middle of my living room. “I live here.” The visitors—Finnish tourists—had been touring London’s canals. I invited them in, happy to let them take photos, and in an attempt to impress them with the modernity of boat living, told them that the Internet onboard (tethered to my phone) was faster than in any of the three London flats I’d lived in. Unimpressed, they wanted to know how many knots I could tie. None, I told them. The only thing I knew about boats when I moved onboard in August was that I wanted to live on one. The U.K. capital has more than 100 miles of waterways (not including the Thames River). Over the past four years, the number of people living on boats that ply them has risen by more than 50 percent. In March 2015, there were 3,255 narrow boats on London waterways, about two-thirds of them permanently docked in small marinas around the city. The other 1,225—up from 638 in March 2011—travel up and down the canals and dock where they please for up to two weeks at a time, mostly along the stretch of canals north of and roughly parallel to the Thames. Regent’s Canal Savo Ilic / Shutterstock.com Two factors are behind the mini-boom: housing costs in central London spiraling out of reach, and recent technological advances like solar panels, LED lights, and mobile Internet connections that allow people to live aboard with modern conveniences. My boat is a floating one-bedroom flat with a deck, living room, and kitchen at the front; a bathroom and shower in the middle; and a bedroom at the back. A tank in the bow provides water for the kitchen sink and shower, and two adjacent gas tanks power the boiler and kitchen stove. I refill them every four to six weeks, with water from one of the service stations run by the Canal and River Trust, and with gas from a commercial boat cruising the city. Electricity comes from the boat’s central battery. To use it, I have to flip on a switch, and then switch it off when I’m done to avoid draining the battery (a disaster). Electricity comes from the boat’s central battery. To use it, I have to flip on a switch, and then switch it off when I’m done to avoid draining the battery (a disaster). Solar panels on my top deck—the same deck where I like to sunbathe—recharge the battery in the daytime, and even soak up some power on London’s many rainy days. One of my current neighbors, Fergus Carr, an architect, says his first encounter with canal boats was in 2012, when he and his partner chanced upon the Canalway Cavalcade, a yearly festival in Little Venice, where the Grand Union Canal and Regent’s Canal meet. “We were just on a walk, because we lived nearby in North London, and we came upon all these people on boats and just thought, ‘This is incredible.’” They began investigating houseboat living after a visit to a friend’s narrow boat and decided to try it. They bought their boat for £16,000 (about $24,000) in southern England this summer and sailed it to the capital, crossing the quick-flowing, tidal Thames during the journey—a feat of planning, since narrow boats can only reach a speed of about 4 kilometers (2.5 miles) an hour and can’t travel against the current. They spend £20 per month on gas and diesel and their license fees are £745 a year. Carr’s parents, who had discouraged him from the plan (“Just save up for a flat!”), are now in the process of moving aboard their own boat. Built during the Industrial Revolution to transport coal and timber around the city, and made obsolete by the rise of the railways and then roads, London’s canals suffered a long decline over the 20th century. By mid-century, many were in disrepair and overflowing with garbage. A few closed, and a cleanup effort in the 1970s dredged those that remained. But it failed to revive the canals’ reputation. As recently as a decade ago, some sections were “considered no-go areas,” according to Jon Privett. Privett moved into his first boat in 2000, when there were only “about 40 boats in London without [permanent] moorings.” The waterways weren’t very busy, but were fun, he says, because all the boat residents knew each other. Word on the Water Elena Dijour / Shutterstock.com “Now there’s a kind of safety in numbers,” he says. “And it’s a lot more like living in a house.” (A house where you switch off the water between rinsing each plate when doing dishes, I’d add.) In 2011, Privett opened London’s first—and only—bookstore on a boat, called Word on the Water. On my first weekend after arriving in the city last November, my partner and I walked the west end of London’s canals while looking for a place to live. We came across a barge overflowing with books, a saxophonist playing on the upper deck. Smoke curled out from the boat’s chimney. In the back, two children read near the fireplace. It was warm inside, and I wanted to stay. Officially, we are borrowing a friend’s boat for the next year … and paying him for the privilege, about 40 percent of the cost of a similar apartment in the area. To legally rent a boat out, an owner must have a permanent mooring (scarce in the city) and a particular type of business license. As a result, there isn’t a real rental market; most live-aboards own their crafts. The author steering her boat through the Maida Hill tunnel Hayley Dunning The Canal and River Trust advises people not to see boats as a cheap housing alternative, warning of “hidden costs and maintenance jobs.” For me, these include never using my onboard fridge (it drains the battery), putting a lot of time and effort into heating, and moving twice a month. About a third of London’s canal boats, including ours, run on “continuous cruising licenses,” requiring them to move every two weeks so they don’t monopolize access to the canals. I’ve cruised from West London through Notting Hill, past waterside cafes and underneath the London Zoo’s bird enclosures, along opulent Primrose Hill mansions and touristy Camden Market. I’ve docked yards away from concerts I’m attending in East London. I’ve also docked three boats abreast for several days at a time, and had to climb across two boats to get to my own. I’ve run out of dry wood on one of the first cold days of the winter, and cursed everything, including my own lack of preparation. “Our advice,” says Fran Read, the Trust’s national press officer, “is that you should only live on a boat if you love the lifestyle—not because you think it will save you money.” Top image: Dan Breckwoldt / Shutterstock.com
Q: SQLite CREATE TRIGGER: What is the default if neither BEFORE nor AFTER has been specified? From SQLite documentation for CREATE TRIGGER, one can see that BEFORE, AFTER or INSTEAD OF may be ommited. So, when is trigger fired when none is specified? Where is it documented? A: sqlite> create table t(x, triggervalue); sqlite> insert into t(x) values(1); sqlite> create trigger tt ...> update of x on t ...> begin ...> update t set triggervalue = x; ...> end; sqlite> update t set x = 2; sqlite> select triggervalue from t; 1 So the default happens to be BEFORE. This is not documented anywhere, and the syntax without BEFORE/AFTER looks so ugly that I guess nobody thinks of using it.
Q: on duplicate key update in laravel 5.0 eloquent I have a table "app_sessions" in my database with two unique keys - device_id and device_token. I want to insert a new session in this table only if the record with device_id or device_token doesn't exist, otherwise just update the session for this record. We can do this with a "insert .... on duplicate key update ....." query. But how can we achieve this using laravel 5.0 eloquent. Note: We all know the other ways to do it, like fetching the record first and then inserting or updating depending on the results. A: https://laravel.com/api/5.2/Illuminate/Database/Eloquent/Builder.html#method_updateOrCreate User::updateOrCreate(['email'=>'foo@bar.com'],['name'=>'foobar']); This will check for a user matching the first array, and then either update that with the second array or create a new user with that name and email.
During the formation of replacement metal gates in the manufacture of semiconductor devices, the gate length of a cavity formed by the removal of a dummy gate may increase as a result of processing steps prior to formation of the replacement metal gate. For example, during removal of a gate oxide layer from the bottom surface of the cavity above a substrate layer, an oxidized spacer layer formed as a spacer surrounding the dummy gate and defining sides of the cavity may also be at least partially removed, thereby increasing the gate length of the cavity as compared to a designed target. By way of another example, during a high-k metal pre-cleaning, additional oxidized spacer layer may be removed further increasing the gate length. Depending on the process conditions, 3 to 4 nm of the oxide spacer layer may be removed during each one of the above two steps. Accordingly, the gate length may increase from 6 to 8 nm beyond the designed target. The increase in the gate length can impact other semiconductor device parameters. For example, the increased gate length may degrade the yield by increasing trench silicide to polysilicon gate shorts. A need therefore exists for controlling the gate length of a replacement metal gate to a designed target, and the resulting device.
Plot Kang Ho-Young (Kang Tae-Oh) is a short track speed skater. He learned how to skate at a small skating rink in the countryside. He was scouted by Kangbaek University which is famous for short track speed skating. There, he meets Park Eun-Ho (Yeo Hoi-Hyeon) who is referred to as “The King of Short Track Speed Skating.” He is the only child from a prestigious family in sports, but Park Eun-Ho has been in a slump.
By Brand Accessories News: Supported by Welcome to your Daily News Digest. Here’s what’s happening today: Will Tom Dumoulin focus on the Giro or the Tour in 2019 That is the question on everyone’s mind. He tipped his cards ever so slightly toward one today. Also, two titans of cyclocross are having a war of words in the media regar... It’s time to turn out our pockets, saddle bags, and top tube pouches and reveal the spares we carry on our rides. In this installment of CT Recommends, our team shares what we bring with us on road, gravel, and mountain bike rides just in case things don’t go according to plan. One might think … The post CT Recommends: The spares we carry appeared first on CyclingTips. ... Supported by Welcome to your Daily News Digest. Here’s what’s happening today: André Cardoso, who was handed a four-year ban last week by the UCI, has vowed to prove his innocence. Geraint Thomas didn’t mince words when commenting on Bradley Wiggins and Esteban Chaves is looking to 2019 after a sickness r... Supported by Welcome to your Daily News Digest. Here’s what’s happening today: For the second day in-a-row a doping ban dominates cycling’s headlines. Also, Operación Puerto looks set to close without the full list of names of those involved being revealed. LottoNL-Jumbo is reluctant to sign Wout van Aert... In mid-September, British writer Tom Owen, his mate Ben, and photographer Matt Grayson flew over to Spain for a week-long bikepacking adventure. Inspired by one of the 20th century’s greatest authors, the journey produced no shortage of memorable moments, both on the bike and off. What follows is a series of four vignettes from the … The post Last good country left: Hemingway’s Spain, by bike appeared first on CyclingTips. ... Item description: This AccessoriesPumps product is by Lezyne - Lezyne Digital Pressure Over DriveLezyne's Digital Pressure Over Drive Pump is like an air compressor that doesn't require a power supply or a heavy generator. Near silent in its operation, you simply pump up the chamber to the desired pressure and then use the integrated foot lever to release a strong, constant blast of air to inflate your tyre. This makes it ideal for setting up both road, mountain, and plus size tubeless tyre systems, as it will efficiently and quickly pop the tyre bead into the rim's bead hook Quality Construction, Highly VersatileThe Pressure Over Drive boasts a machined aluminium body, a steel piston, and is topped off with a wooden handle to give it that premium touch. Also, it isn't just for setting up tubeless tyres, it can be used as a standard floor pump for tube and tyre systems. It also features an ultra-precise and easy to read digital pressure gauge. This digital pressure gauge is precise to within 3% and thanks to its auto shut off facility, the battery will last 1 year under constant use Features: Material: Aluminium (barrel and base), Steel (Piston), Wood (handle) Designed specifically for easy seating of tubeless tyres Foot pedal activation of secondary pre-charged chamber Can also be used as a regular floor pump Compatible with Presta and Schrader valves Built-in safety release to prevent over inflation ABS-2 chuck equipped Precision digital pressure gauge Tough anodised high-polish finish Maximum Pressure: 220psi/15barTechnologies:ABS-2 Chuck: Innovative chuck quickly and securely seals to Presta or Schrader valves. Air Bleed System (ABS) button for easy pressure tuning. Quick release design allows for instant disengagement from Presta valve. Knurled aluminium locking sleeve, composite matrix body and aluminium coupler construction. 90-degree bend works with aero disc wheels Buy Lezyne Accessories from Chain Reaction Cycles, the World's Largest Online Bike Store.... Learn More $167.99 You may also consider: Lezyne Pressure Over Drive Pump 2017Lezyne Pressure Over Drive PumpLezyne's Pressure Over Drive Pump, simply put, is like an air compressor that doesn't require a power supply or a heavy generator. Near silent in its operation, you simply pump up the chamber to the desired pressure and then use the integrated foot lever to release a strong, constant blast of air to inflate your tyre. This makes it ideal for setting up both road, mountain, and plus size tubeless tyre systems, as it will efficiently and quickly pop the tyre bead int ...See The Price Lezyne Steel Digital Drive ABS2 Track PumpLezyne Steel Digital Drive ABS2 Track PumpThe Lezyne Steel Digital Drive Track Pump is a high pressure floor pump with an extremely accurate digital pressure gauge. Lezyne's new ABS 2 chuck with bleed valve seals quickly and accurately to both Presta and Schrader valves, giving the exact amount of required pressure The digital pressure gauge is precise to within 3% and easy to read. With an auto shut off facility, the battery will last 1 year, under constant use.A machined steel barrel and pisto ...See The Price Lezyne Steel Digital Drive Pump 2017Lezyne Steel Digital Drive PumpLezyne's Steel Digital Drive Pump provides high pressure and is equipped with a digital pressure gauge that's extremely accurate. This gauge is precise to within 3% and very easy to read. It also features an auto shut off and the battery will last 1 year under constant use. Lezyne has built it to last too, using steel for the barrel and piston, and a machined aluminium for the base Features: Material: Machined Steel (barrel and piston), Machined Aluminium (base) Pr ...See The Price
Q: How to avoid Out of global stack ERROR when looking for multiple answers? After loading the following program using SWI-Prolog and entering queries such as cells([o,x,o,x,o], A). or cells(A, [o,x,o,x,o]). the first result seems to always be correct, but after submitting semicolon to look for more results (and I don't know if there should be additional results in either case), I get a PROLOG SYSTEM ERROR mentioning garbage collection and an Out of global stack error respectively. regla(o,o,o,o). regla(x,o,o,x). regla(o,x,o,o). regla(o,o,x,x). regla(x,o,x,x). regla(x,x,o,x). regla(o,x,x,x). regla(x,x,x,o). cells([X | XS], [Y | YS]) :- X = o, Y = o, length([X | XS], LX), LX >= 3, length([Y | YS], LY), LY is LX + 2, append([o, o], [X | XS], W), append(W, [o, o], Z), cellsR(Z, [Y | YS]). cellsR(_, []). cellsR([A, B, C | R], [H | T]) :- regla(A, B, C, H), cellsR([B, C | R], T). I'm assuming that the errors have to do with the way I handle recursion, so maybe someone can have a look at the code and tell me where I'm going wrong. A: My first advice: do not use a tracer. It will not help you a lot. Termination is much too complex than what a step-by-step tracer can show you. Let me give you the reason why your program does not terminate, first: cells([X | XS], [Y | YS]) :- X = o, Y = o, length([X | XS], LX), LX >= 3, length([Y | YS], LY), false, LY is LX + 2, append([o, o], [X | XS], W), append(W, [o, o], Z), cellsR(Z, [Y | YS]). This highlights the part of your program that you will have to modify to remove your problem. In other words, as long as you leave that part unchanged, your problem will not go away. A minimal change is to add a further goal that establishes the relation between the length of those two lists first, before length/2 is used: cells([X | XS], [Y | YS]) :- X = o, Y = o, list_samelength([_,_|XS], YS), length([X | XS], LX), LX >= 3, length([Y | YS], LY), LY is LX + 2, append([o, o], [X | XS], W), append(W, [o, o], Z), cellsR(Z, [Y | YS]). list_samelength([], []). list_samelength([_|Xs], [_|Ys]) :- list_samelength(Xs, Ys). See failure-slice for more on this technique.
How to clean your computer keyboard In this guide we will show you how to clean your keyboard thoroughly as well as how to give it a quick once over. We will guide you through with the aid of photos and diagrams. The first part is for keyboards that just need a quick clean and is also suitable for laptops, notebooks and netbooks. The second part is for membrane keyboards (most desktop keyboards) and includes removing the keys for a thorough cleaning. advertisement To keep your keyboard in top condition the moderate cleaning could be done weekly and the more thorough cleaning could be done every 2 months. What you will need: Lint-free cloth. Dry cloth or duster. Suitable cleaning fluid (isopropyl alcohol). Cotton buds. Can of compressed air or vacuum cleaner with a brush attachment. Flat tip screwdriver (optional for thorough clean). Before you begin Desktop computers Laptops, notebooks and netbooks. Moderate cleaning (quick and easy) If you have a can of compressed air then use it to carefully blow any debris from around and under the keys. If you do not have any compressed air, then you can hover the brush attachment of a vacuum cleaner just above the keyboard to remove the dust. Take one of the cotton buds and put a couple of drops of the cleaning fluid on one end of it (never put fluid directly onto the keyboard). If you do not have cleaning fluid then you can use some distilled water. Use the cotton bud to clean the sides of the keys as seen in fig 1.1 below. After cleaning the sides of the keys take your lint-free cloth and dampen it with your cleaning fluid. Give the surface of the keyboard a good wipe over using the cloth to trace the contours of the keys (see fig 1.2 below). When you have finished give the keyboard a wipe over with the dry cloth/duster. You should now have a nice clean keyboard, to clean it more thoroughly follow the guide below. Thorough cleaning To remove the keys, ease the tip of the screwdriver under the bottom edge and gently apply leverage until the key pops off. You can see an example of this in fig 1.4. Once you have removed the first key, the neighbouring keys will be easier to access. When you have removed all of the keys (except any keys you wish to avoid) use the compressed air or vacuum cleaner to remove any dust and debris from inside the keyboard. Now is the time to give the keys a proper clean. For best results clean each one individually with the cloth and cleaning fluid, when they are clean wipe them over with the dry cloth. If they have very stubborn marks then soak them in a bowl of luke-warm water with a mild soap/detergent for several minutes. Take your lint-free cloth and dampen it with your cleaning fluid. Give the surface of the keyboard a good wipe over ensuring to clean as much as possible any keys that you haven't removed. Once the keyboard surface is done we can replace the keys. To put the keys back on, position the key in place and press gently but firmly until it clicks home. Check their position according to your notes or photo. If you have just removed the letter keys use fig 1.3 below as a guide. After replacing all the keys give the keyboard a quick wipe over with your dry cloth and you have a nice clean keyboard. Always ensure the keyboard is completely dry before it is plugged back in, or in the case of a wireless keyboard before the batteries are reinserted. advertisement If you have a wireless keyboard then remove the battery cover and take out the batteries. If your keyboard has a cord, shutdown your PC, remove the mains plug and then unplug the keyboard.Turn the keyboard upside down and run your fingers over the keys to release any trapped debris from inbetween the keys.Shutdown the system and remove the power cord and any other devices which you may have connected. If accessible, remove the battery cover and take the battery out.To release any dust or debris from inbetween the keys, turn the device upside down and run your fingers across the keyboard.Suitable for standard keyboards as well as laptops, notebooks and netbooks.Standard keyboards only, not suitable for laptops, notebooks or netbooks.This procedure takes time and requires patience as it involves removing the keys from the keyboard.Although all of the keys can be removed, the larger keys (space bar, enter key, shift keys, backspace, caps lock, etc) can be difficult to put back so you may want to avoid removing them.If you do want to remove all of the keys then make a note of their position, or better still, take a quick photo of the keyboard to use as a reference. Alternatively, just remove the letter keysfrom the keyboard which is where the most of the dust/debris will be, and refer tobelow as a guide to put them back.
Trends in complete blood count values during acute painful episodes in children with sickle cell disease. Complete blood count (CBC) values are monitored as crude indicators of the hemolytic and inflammatory processes that accompany an acute painful episode in children with sickle cell disease. As part of a larger study that examined the pain experience and pain management of hospitalized children during painful vaso-occlusive episodes, the authors examined trends in CBC values and determined whether there were relationships between these values and pain intensity scores. Children, 5 to 19 years of age, with sickle cell disease whose primary reason for admission was vasoocclusive pain were recruited for participation in the study. Once every evening from the day of admission until the day of discharge, they were asked to rate their worst and least pain using the numeric rating scale of the African American Oucher pain scale. Complete blood count values were obtained from the hospital information system on a daily basis. Parallel changes in CBC values and pain intensity scores were evident within the first 48 hours of hospitalization. However, although the inflammatory and hemolytic processes were resolving, pain persisted at moderate levels throughout the course of hospitalization.
Characterization of surface organic components of human hair by on-line supercritical fluid extraction-gas chromatography/mass spectrometry: a feasibility study and comparison with human identification using mitochondrial DNA sequences. This paper discusses results of a supercritical fluid extraction-gas chromatography/mass spectrometry (SFE-GC/MS) study of small samples ( 100 microg to 1 mg) of human scalp hair. The method offers a number of benefits including greater sensitivity than liquid extraction methods because the entire extractable mass is transferred to the analytical system, compared with only a few percent from a conventional liquid extraction/injection. The project's goals were to determine if SFE-GC/MS analyses of the surface-extractable components of an individual's hair yield consistent chemical profiles and to investigate if the profiles are sufficiently different to distinguish them from those of other individuals. In addition, the mtDNA sequences from ten of the same individuals used in the SFE-GC/MS study from four family units were determined, and, while the families were distinguishable, the maternal relations yielded identical sequences. In tandem, SFE-GC/MS and mtDNA techniques may provide valuable complementary data from forensic hair samples.
During a vehicle impact event a steering column may be maintained in a vertical position to facilitate in the collapsing of the steering column. During some vehicle impact events, vertical loading on the steering column may lead to the steering column rotating up or down.
Q: How to render specular highlights as a separate image with alpha channel? I'm using the Blender Cycles engine to create graphics for a game; specifically, I want to display a grid of coloured ellipsoid counters for the player to move around. To avoid creating a separate image for each colour, I want to store a single greyscale image in the resources, and apply a colour tint at runtime: However, with this approach, the specular highlights would also be tinted; so I would like to store the highlights as a separate image with an alpha channel, and overlay it on top of the tinted image. I've tried Googling for ways to do this in Blender, and cannot find anything. The best solution I can think of is to set the glossy BSDF colour to red (1.0, 0.0, 0.0) and the diffuse BSDF colour to green (0.0, 1.0, 0.0): I would then need to create a mask from the red channel, and create base and overlay greyscale images from the green and red channels respectively, either as a manual step in Gimp, or (better) store a single image in the resources and do the channel operations in code: While I realise that I'm probably subverting the properties of light for the sake of coding simplicity, I am concerned that I may not be getting the most believable results. Given that the rendering engine knows more about the light paths than I do from the final image, is there a way to do this in Blender? Thanks! UPDATE For posterity, these are the material nodes I ended up with: With a further change to adjust the alpha channel on the highlight image, these are the compositing nodes I created: Finally, this is the end result, after tinting and overlaying in the game source code: A: You should add in the specular with color, not mix shaders. In that way you will get a white highlight. Here I'm using color ramps to make a mask for transparency and removing some of the gray on the specular before adding it to a solid color. You can also render out Diffuse and Glossy and use the Compositor to choose color. You need to add light passes for gloss direct and diffuse direct The new passes can be then be exported from the Compositor via Image editor (set the image to be "Viewer Node") and then saved from there Image->Save As...
Summa Capital signs Hyperloop study deal for transport around Russian capital and new Silk Road to the Pacific Tesla CEO Elon Musk’s Hyperloop may not be coming to California anytime soon but that doesn’t mean other global municipalities aren’t investigating the super-fast, vacuum tube transportation system. This week, Hyperloop-Oneannounced that it was in talks with Moscow-based Summa Group, a Russian port, telecom and oil business headed by mysterious billionaire Ziyavudin Magomedov, to explore building the transportation system that is expected to eventually surpass the speed of sound. Last week Hyperloop One and Russian holding company the Summa Group struck an agreement with the city of Moscow to explore building Hyperloop One systems in Russia’s capital region. The feasibility study is the next step toward developing a bankable plan and a rights of way that would get the funding to become Russia’s first Hyperloop. The deal was signed at the St. Petersburg Economic Forum by Moscow mayor Sergey Sobyanin, Summa Group chairman Ziyavudin Magomedov and Hyperloop One chairman and cofounder Shervin Pishevar. It should be noted that these talks are extremely preliminary but it seems to me that there’s at least as much opportunity outside the US as inside for Hyperloop. To that end, investors are already looking at bringing the west coast of Russia Hyperloop for cargo carrying applications. Russian transportation minister Maksim Sokolov, also at the St. Petersburg Economic Forum, found what he says is a promising first location for Russia’s first Hyperloop: a 70-kilometer run between China’s mineral and manufacturing heavy Jilin province and Zarubino, a port on Russia’s Far Eastern coast. Zarubino still has a bucolic feel to it. Fifteen years from now, with decent global trade growth and a warming climate, Zarubino could grow into a bustling Hyperloop terminal—free of truck pollution–where Jilin carmakers ship containers of finished automobiles at cruising speeds of 700 mph to port-side cranes to be lifted onto ships for export. Sokolov intends to co-fund the project with the Chinese. “We have a fund to support the Silk Road projects. I believe that this project may count on 100% co-financing from this fund,” he said. Discussions with the federal government are underway for a second feasibility study, with an agreement expected later this year. Russian news site RT.com quoted Sokolov saying that a 70-kilometer cargo Hyperloop in Russia’s Far East would cost $450 million to $607 million, less than half the price per mile of the 770-kilometer high-speed rail link planned between Moscow and Khazan that’s expected to cost $15 billion. Hyperloop One has said it plans to demonstrate publicly a full prototype of the technology by the end of 2016.
Q: Create Ubuntu Server resource on Azure with Terraform.io I really like Terraform.io and I'd like to adopt it for my new project. I am trying to deploy a Ubuntu Server on my Azure subscription using Terraform. I have created an example.tf file with this content: # Configure Azure provider provider "azure" { publish_settings = "${file("credentials.publishsettings")}" } # Create web server resource "azure_instance" "web" { image = "Ubuntu Server 16.04 LTS" location = "ukwest" name = "some_name" size = "A0" username = "some_user" } When I run terraform apply I get this error: * azure_instance.web: When using a platform image, the 'storage' parameter is required So I tried to add an storage parameter in the resource element, like this: # Create web server resource "azure_instance" "web" { image = "Ubuntu Server 16.04 LTS" storage = "abc" location = "ukwest" name = "cloudlabs" size = "A0" username = "cloudlabs" } But then I get this other error message: * azure_instance.web: : invalid or unknown key: storage ... And I'm stuck in here. I'm probably doing something wrong that is very obvious since this is my first tf file. Any ideas welcome! A: I'm not an Azure user, but as long as I see the document, it looks like storage_service_name instead of storage. See: https://www.terraform.io/docs/providers/azure/r/instance.html#storage_service_name
index Barthel index an objective, standardized tool for measuring functional status. The individual is scored in a number of areas depending upon independence of performance. Total scores range from 0 (complete dependence) to 100 (complete independence). bleeding index any of various methods of assessing bleeding in the gingival sulcus before or after treatment. body mass index (BMI) the weight in kilograms divided by the square of the height in meters, a measure of body fat that gives an indication of nutritional status. cardiac index cardiac output corrected for body size. cephalic index 100 times the maximum breadth of the skull divided by its maximum length. citation index an index listing all publications appearing in a set of source publications (e.g., articles in a defined group of journals) that cite a given publication in their bibliographies. Colour index a publication of the Society of Dyers and Colourists and the American Association of Textile Chemists and Colorists containing an extensive list of dyes and dye intermediates. Each chemically distinct compound is identified by a specific number, the C.I. number, avoiding the confusion of trivial names used for dyes in the dye industry. glycemic index a ranking of foods based on the response of postprandial blood sugar levels as compared with a reference food, usually either white bread or glucose. See table. left ventricular stroke work index (LVSWI) an index of the amount of work performed by the heart. leukopenic index a fall of 1000 or more in the total leukocyte count within 1.5 hours after ingestion of a given food; it indicates allergic hypersensitivity to that food. index Medicus a monthly publication of the national library of medicine in which the world's leading biomedical literature is indexed by author and subject. opsonic index a measure of opsonic activity determined by the ratio of the number of microorganisms phagocytized by normal leukocytes in the presence of serum from an individual infected by the microorganism, to the number phagocytized in serum from a normal individual. phagocytic index any arbitrary measure of the ability of neutrophils to ingest native or opsonized particles determined by various assays; it reflects either the average number of particles ingested or the rate at which particles are cleared from the blood or culture medium. refractive index the refractive power of a medium compared with that of air (assumed to be 1). short increment sensitivity index (SISI) a hearing test in which randomly spaced, 0.5-second tone bursts are superimposed at 1- to 5-decibel increments in intensity on a carrier tone having the same frequency and an intensity of 20 decibels above the speech recognition threshold. therapeutic index originally, the ratio of the maximum tolerated dose to the minimum curative dose; now defined as the ratio of the median lethal dose (LD50) to the median effective dose (ED50). It is used in assessing the safety of a drug. in·dex , gen. in·di·cis , pl. in·di·ces , in·dex·es (in'deks, -di-sis, -di-sēz, -dek-sĕz), Index of suspicion is jargon and says no more than simple suspicion. Colour Index a publication of the Society of Dyers and Colourists and the American Association of Textile Chemists and Colorists containing an extensive list of dyes and dye intermediates. Each chemically distinct compound is identified by a specific number, the C.I. number, avoiding the confusion of trivial names used for dyes in the dye industry. Index Medicus a monthly publication of the National Library of Medicine in which the world's leading biomedical literature is indexed by author and subject. mitotic index the ratio of the number of cells in a population undergoing mitosis to the number not undergoing mitosis. opsonic index a measure of opsonic activity determined by the ratio of the number of microorganisms phagocytized by normal leukocytes in the presence of serum from an individual infected by the microorganism, to the number phagocytized in serum from a normal individual. phagocytic index the average number of bacteria ingested per leukocyte of the patient's blood. refractive index the refractive power of a medium compared with that of air (assumed to be 1). Symbol n or n. short increment sensitivity index (SISI) a hearing test in which randomly spaced, 0.5-second tone bursts are superimposed at 1- to 5-decibel increments in intensity on a carrier tone having the same frequency and an intensity of 20 decibels above the speech recognition threshold. therapeutic index originally, the ratio of the maximum tolerated dose to the minimum curative dose; now defined as the ratio of the median lethal dose (LD50) to the median effective dose (ED50). It is used in assessing the safety of a drug. vital index the ratio of births to deaths within a given time in a population. index [in′deks]pl. indexes, indices Etymology: L, that which points out 1 also called forefinger, index finger, the second digit of the hand, the finger adjacent to the thumb. 2 a unitless quantity, usually a ratio of two measurable quantities having the same dimensions, or such a ratio multiplied by 100. 3 a core or mold used in dentistry to record or maintain the relative position of a tooth or teeth to one another and/or to a cast, to ensure reproduction in the dental prosthesis of their original position. 4 a directory, in particular an alphabetized list of terms, each term accompanied by page numbers or other notations telling where it appears in a given work or set of works. alveolar index ankle-brachial index Abbreviation: ABI A measure of the adequacy of blood flow to the arteries of the legs. It is used to gauge the severity of peripheral vascular disease. Patient care The index is obtained by measuring the systolic blood pressure in the upper and lower extremities after the patient has been lying on his or her back for about 5 min and then repeating the measurements after the patient walks for 5 min. There are several ways to obtain an ABI. The most accurate test results are obtained by measuring the blood pressure in both arms using a blood pressure cuff and Doppler ultrasound and recording the higher of these two pressures. The measurement is repeated in each leg, with measurement of blood pressures at both the posterior tibial and dorsalis pedis arteries. The pressure that should be recorded is the pressure found during the first return of a pulse to the cuffed limb. The blood pressure in each leg is divided by the blood pressure in the higher pressure of the two arms to obtain an ABI for each lower extremity. An ABI above 0.9 is normal, except when it exceeds 1.3 (an indicator of severe peripheral arterial obstruction). Severe obstruction is also indicated by an ABI of less than 0.5. Moderate peripheral arterial disease is suggested by an ABI of 0.8. A drop in the ABI after exercise also strongly suggests peripheral arterial disease. Patients with mild or moderately abnormal ABIs are usually treated with antiplatelet medications, an exercise regimen, and cholesterol-lowering drugs or diet. Those who smoke are encouraged to quit. Patients with severe disease may need angiography and, in some instances, arterial bypass surgery or stenting. apnea-hypopnea index Abbreviation: AHI The number of times in an hour when a sleeping person either stops breathing completely or has limited airflow. Each episode must last at least 10 sec. The AHI is one indicator of obstructive sleep apnea, although it is recognized as an imperfect diagnostic tool. An AHI of 30 or more events in an hour indicates severe sleep apnea; 15 to 29 events suggests moderate apnea; and 5 to 14 events indicates mild apnea. Barthel index bispectral index Abbreviation: BIS An electroencephalographic measure of the effect of sedative and hypnotic drugs on an anesthetized patient. It is used (along with clinical assessment of the patient) to determine the level of central nervous system depression. The index ranges from zero (completely unresponsive to stimulation) to 100 (awake and alert). At levels below 60, most patients are adequately sedated for surgery. BODY MASS INDEX body mass index Abbreviation: BMI An index for estimating obesity. The BMI can be obtained by dividing weight in kilograms by height in meters squared, or according to the following formula: BMI = (Weight/2.205) / (Height/39.37)2 . In adults, a BMI greater than 30 kg/m2 indicates obesity; a BMI greater than 40 kg/m2 indicates morbid obesity; and a BMI less than 18.5 kg/m2 indicates a person is underweight. The lowest overall death rate is found in people with a BMI of 20 to 24.9 kg/m2. cardiac index The cardiac output (expressed in liters per minute) divided by the body surface area (expressed in square meters). cephalic index The biparietal diameter of the skull divided by its occipitofrontal diameter, all multiplied by 100. cerebral index The ratio of greatest transverse diameter to the greatest anteroposterior diameter of the cranium. chemotherapeutic index The ratio of the toxicity of a drug, expressed as the maximum tolerated dose per kilogram of body weight to the minimal curative dose per kilogram of body weight. This index is used in judging the safety and effectiveness of drugs. clinical risk index for babies Abbreviation: CRIB An index of the severity of illness, used to estimate the likelihood of mortality in very low birth weight infants who are cared for in a neonatal intensive care unit. color index An outmoded method of expressing the amount of hemoglobin present in each red cell. Cumulative Index to Nursing and Allied Health Literature dental index DMF index The index of dental health and caries experience based on the number of decayed, missing, and filled (DMF) teeth or tooth surfaces. dynamic gait index Abbreviation: DGI A semiquantitative tool used to evaluate a patient's ability to modify gait by changing task demands, esp. in patients with dizziness and balance deficits. This test is used to identify patients, esp. older adults, who are predisposed to falling. Patients are graded on their ability to vary speed, turn their heads, turn their bodies, step over and around obstacles, climb stairs, turn while walking, pick objects up from the floor, and perform alternate step-ups on a stool. exposure index A relative value indicating the quantity of ionizing radiation received by a digital radiographic image receptor. Although vendors currently use many kinds of exposure indices, e.g., Sensitivity Numbers, standardization is being developed by physicists' organizations. fatigue index The difference between the muscle power generated during peak exertion and the power that can be generated after repeated loading and unloading of the muscle. Frenchay Activities Index A formal interview for patients who have suffered a stroke to compare their functional abilities preceding and following the stroke. The patient describes how employment, meal preparation and clean up, gardening, shopping, and other activities of daily living have been altered by the stroke. gas exchange index One of several measurements of the efficiency of respiration, esp. of the extent of intrapulmonary shunting in respiratory failure. Among the commonly used gas exchange indices is the alveolar-arterial oxygen tension difference (a measurement derived from an analysis of the oxygen tension of an arterial blood gas compared with the atmospheric oxygen content). glycemic index A ratio used to describe the ability of a food to increase blood glucose levels as compared with consumption of either glucose or white bread as the standard. Foods with a low glycemic index result in a slower rise and lower maximum elevation of blood glucose levels than foods with a higher glycemic index. Consumption of low glycemic index foods can contribute to blood glucose regulation in patients with diabetes mellitus. Another use for the index is to identify the choice of food that will raise blood sugar levels after, e.g., endurance exercise. gnathic index A measure of the degree of projection of the upper jaw by finding the ratio of the distance from the nasion to the basion to that of the basion to the alveolar point and then multiplying by 100. Synonym: alveolar index human development index A measure of national quality of life used by the United Nations Development Program. It consists of three elements: life expectancy at birth, mean years and expected years of schooling, and the gross national income at purchasing power parity per capita. Insall-Salvati index International Sensitivity Index Abbreviation: ISI A laboratory standard for thromboplastins, the reagents used to determine the prothrombin time (PT). Because thromboplastin contents vary, PT results performed on the same sample of blood in different laboratories can be markedly different, even though the patient's actual level of anticoagulation is a constant. The ISI is used to calculate the international normalized ratio, a standardized measure of anticoagulation, thus enabling health care professionals working with different laboratories to compare results and adjust anticoagulant doses according to a single set of guidelines. Karnofsky Index labeling index The rate at which cells take up identifiable chemicals that they use in cell division. The index is a measure of the rate of the reproduction of the cells, as in fetal tissue development or the growth of cancers. leukopenic index A test formerly used to determine hypersensitivity to foods, in which the white blood cell count is checked 90 min after the consumption of a suspected allergen. A precipitous decrease in the white blood cell count within 90 min after ingestion of the test food was thought to indicate that the food was incompatible with that person. life satisfaction index Abbreviation: LSI A self-reporting instrument to measure personal fulfillment or contentment, esp. with one's social relationships, occupation, maturation, or aging. A total of five rating scales are used. McMurtryindex Index Medicus A publication of the National Library of Medicine that lists biomedical and health sciences journal articles by title, subject, field, and country of publication. The major national and international medical and biological journals are indexed. Mentzer Index mitotic index The number of mitoses seen in a biopsy specimen per square millimeter of tissue examined. Mitoses in tissue are indicative of malignancy. The higher the mitotic index, the more rapidly a tumor is dividing and the worse the prognosis. nasal index The greatest width of the nasal aperture in relation to a line from the lower edge of the nasal aperture to the nasion. notch width index The width of the femoral intercondylar notch divided by the width of the femoral condyles. opsonic index A ratio of the number of bacteria that are ingested by leukocytes contained in the serum of a normal individual compared with the number ingested by leukocytes in the study patient's blood serum. oral hygiene index Abbreviation: OHI A popular indicator developed in 1960 to determine oral hygiene status in epidemiological studies. The index consists of an oral debris score and a calculus score. Six indicator teeth are examined for soft deposits and calculus. Numerical values are assigned to the six indicator teeth according to the extraneous deposits present. The scores are added and divided by the number of surfaces examined to calculate the average oral hygiene score. Oswestry Disability Index Abbreviation: ODI A questionnaire that requires a patient to rate the effect of back pain on 10 different activities, each having six levels of disability. The test was designed to assess patients with failed back surgery, but it is widely used for nonsurgical patients with other spinal conditions. oxygenation index Abbreviation: OI A measure of the efficiency of oxygen exchange by the lungs. The index is used in critical care medicine to assess the severity of acute lung injury and to gauge the effectiveness of ventilator management strategies. Mathematically it is represented as the product of the fractional concentration of inspired oxygen and the mean airway pressure, divided by the arterial oxygen concentration. Pearl index pelvic index The ratio of pelvic conjugate and transverse diameters multiplied by 100. periodontal (Ramfjord) index An extensive consideration of the periodontal status of six teeth by evaluating gingival condition, depth of gingival sulcus or pocket, appearance of plaque or calculus, attrition, tooth motility, and extent of tooth contact. phagocytic index The average number of bacteria ingested by each leukocyte after incubation of the leukocytes in a mixture of serum and bacterial culture. physiological cost index Abbreviation: PCI The metabolic expenditure per unit of distance traveled. It is expressed as the number of heartbeats per meter traveled and is calculated by subtracting the resting heart rate from the exercise heart rate divided by the distance traversed. Pneumonia Severity Index , pneumonia severity index A diagnostic scoring system for predicting the level of care a patient with pneumonia will require. It includes demographic factors (such as the patient's age, whether he or she resides in a nursing home); findings on physical examination (such as altered mental status, fever, tachycardia, and low blood pressure); laboratory data (including serum pH, glucose and sodium levels); and the presence of other illnesses (such as heart, lung, brain, liver, or kidney disease). Synonym: pneumonia PORT score. ponderal index The ratio of an individual's height to the cube root of his or her weight; used to determine body mass. proliferative index Abbreviation: PI The proportion of cells within a tumor specimen that are actively reproducing. In general, as the number of replicating cells in a tumor increases, the cancer behaves more aggressively and the prognosis for the patient worsens. index of refraction 1. The ratio of the angle made by the incident ray with the perpendicular (angle of incidence) to that made by the emergent ray (angle of refraction). 2. The ratio of the speed of light in a vacuum to its speed in another medium. The refractive index of water is 1.33; that of the crystalline lens of the eye is 1.413. Synonym: refractive index refractive index rapid shallow breathing index Abbreviation: f/TV; RSBI. The ratio of the respiratory rate (f) and the tidal volume (TV) of a patient treated with mechanical ventilation while breathing on a T-piece (or at minimal levels of positive airway pressure or pressure support). Levels less than 105/min/L indicate that a patient may be able to be weaned successfully from the ventilator and breathe unassisted. Reid index respiratory index respiratory disturbance index A measurement of the number of disordered breathing cycles during sleep. Sleep disordered breathing, which includes both apneas and hypopneas, results in daytime fatigue. It is also associated with an increased prevalence of cardiovascular disease. sacral index The sacral breadth multiplied by 100 and divided by the sacral length. satiety index The relative degree to which different foods of the same caloric value satisfy hunger. saturation index In hematology, the amount of hemoglobin present in a known volume of blood compared with the normal amount. Science Citations Index Abbreviation: SCI. An electronic database of scientific journal articles published and referred to by other authors. The Index is a proprietary product of the Thomson Corporation. shock index 1. The systolic blood pressure divided by the heart rate. 2. The heart rate divided by the systolic blood pressure. sulcus bleeding index Abbreviation: SBI. A sensitive measure of gingival condition that involves probing of all sulci. The score is based on six defined criteria. It is calculated by counting the number of sulci with bleeding, dividing by the total number of sulci, and multiplying by 100. sunscreen protective factor index In preparations for protecting the skin from the sun (using sunscreens), the ratio of the amount of exposure needed to produce a minimal erythematous response with the sunscreen in place divided by the amount of exposure required to produce the same reaction without the sunscreen. This index assesses the ability of sunscreens to block (short-wavelength) ultraviolet B rays but does not measure the protective effect of sunscreens against (long-wavelength) ultraviolet A radiation. thoracic index Vancouver scar index ventilation index Abbreviation: VI. 1. A calculation used to determine the severity of respiratory illness (acute lung injury and/or respiratory distress syndrome) in critically ill patients. The VI is the partial pressure of arterial CO2 multiplied by the peak airway pressure multiplied by the rate of ventilation, all divided by 1000. Western Ontario McMaster Osteoarthritis Index index in·dex 1. A core or mold used to record or maintain the relative position of a tooth or teeth to one another and/or to a cast. 2. A guide, usually made of plaster, used to reposition teeth, casts, or parts. index, n1. the ratio of a measurable value to another. 2. a core or mold used to record or maintain the relative position of a tooth or teeth to one another or to a cast. See also splint. index, Broders's (Broders's classification), n.pr1. a system of grading of epidermoid carcinoma suggested by Broders. Tumors are graded from I to IV on the basis of cell differentiation. Grade I tumors are highly differentiated, with much keratin production; Grade IV tumors are poorly differentiated; the cells are highly anaplastic, with almost no keratin formation. n2. the classification and grading of malignant neoplasms according to the proportion of malignant cells to normal cells in the lesion. index, cardiac, n the minute volume of blood per square meter of body surface. index, carpal, n the degree of ossification of the carpal bones noted in radiographs of the wrist; a method of determining the state of skeletal maturation. index, cephalic, n head shape and size. Index, Dean's Fluorosis n.pr the most commonly used system for classifying dental fluorosis. Ratings are assigned based on the most severe fluorosis seen on two or more teeth. index, DEF (decayed, extracted, filled), n.pr a dental caries index applied to the primary dentition in somewhat the same manner as the DMF index is used for classifying permanent teeth. Missing primary teeth are ignored in this index because of the uncertainty in determining whether they were extracted because of advanced caries or exfoliated normally. index, DMF (decayed, missing, filled), n.pr a technique for managing statistically the number of decayed, missing, or filled teeth in the oral cavity. Analysis may be based on the average number of DMF teeth (sometimes called DMFT) per person or the average number of DMF tooth surfaces (DMFS). index, facial height, n the ratio of posterior facial height to anterior facial height. index, gingiva and bone count (Dunning-Leach index), n an index that permits differential recording of both gingival and bone conditions to determine gingivitis and bone loss. index, gingival (GI), n an assessment tool used to evaluate a case of gingivitis based on visual inspection of the gingivae that takes into consideration the color and firmness of gingival tissue along with the presence of blood during probing. index, gingival bleeding (GBI), n an assessment tool used to verify the presence of gingival inflammation based on any bleeding that occurs at the gingival margin during or immediately after flossing. n a measure of the severity of a malocclusion, obtained by assigning values to a series of defined observations. index, measuring, n an expression of relationship of one measurable value to another, or a formula based on measurable values. index, missing teeth, n See index, DMF. index, oral hygiene, simplified (Greene-Vermillion index), n an index made up of two components, the debris index and the calculus index, which are based on numerical determination representing the amount of debris or calculus found on six preselected tooth surfaces. index, periodontal (Ramfjord index), n a thorough clinical examination of the periodontal status of six teeth, with an evaluation of the gingival condition, pocket depth, calculus and plaque deposits, attrition, mobility, and lack of contact. index, periodontal disease (Russell index), n an index that measures the condition of both the gingiva and the bone individually for each tooth and arrives at the average status for periodontal disease in a given oral cavity. index, plaque, n an assessment tool used to evaluate the thickness of plaque at the gingival margin that may be applied to selected teeth or to the entire oral cavity. index, PMA (Schour-Massler index), n an index used for recording the prevalence and severity of gingivitis in schoolchildren by noting and scoring three areas: the gingival papillae (P), the buccal or labial gingival margin (M), and the attached gingiva (A). index, Pont's, n the relation of the width of the four incisors to the width between the first premolars and the width between the first molars. index, Russell, n.pr See index, periodontal disease. index, salivary Lactobacillus (lak´-tōbəsil´əs), n a count of the lactobacilli per milliliter of saliva; used as an indicator of present dental caries activity. The test is of questionable value in individual patients, although its use in large groups has led to valuable information on caries ac-tivity. index, saturation, n a number indicating the hemoglobin content of a person's red blood cells as compared with the normal content. index, sulcus bleeding, n.pr an assessment tool used to evaluate the existence of gingival bleeding in individual teeth and/or regions of the oral cavity upon gentle probing by assigning a score of 0-5, with 0 indicating a healthy appearance and no bleeding. index, therapeutic, n the ratio of toxic dose to effective dose. index, ventilation, n the index obtained by dividing the ventilation test by the vital capacity. index pl. indexes, indices [L.] the numerical ratio of measurement of any part in comparison with a fixed standard. index case the first case of a disease in a group to be brought to the attention of the clinician. Color index a publication of the Society of Dyers and Colorists and the American Association of Textile Chemists and Colorists, containing an extensive list of dyes and dye intermediates. Each chemically distinct compound is identified by a specific number, the CI number, avoiding the confusion of trivial names used for dyes in the dye industry. The Royal Horticultural Society, London, produces a similar document to aid in the identification of flower colors. a monthly publication of the National Library of Medicine, in which the world's leading biomedical literature is indexed by author and subject. opsonic index a measure of opsonic activity determined by the ratio of the number of microorganisms phagocytized by normal leukocytes in the presence of serum from an animal infected by the microorganism, to the number phagocytized in serum from a normal animal. phagocytic index the average number of bacteria ingested per leukocyte of the patient's blood. production index a method of expressing production compared with a potential or target. refractive index the refractive power of a medium compared with that of air (assumed to be 1). therapeutic index originally, the ratio of the maximum tolerated dose to the minimum curative dose; now defined as the ratio of the median lethal dose (LD50) to the median effective dose (ED50). It is used in assessing the safety of a drug. index Veterinarius a periodic listing of all publications in the veterinary literature by the Commonwealth Agricultural Bureaux, United Kingdom. Also available on on-line data search. vital index the ratio of births to deaths within a given time in a population. Patient discussion about index Q. how can i know my body mass index? how do they calculate it.thank you. this is bse i have a problem with my weight and the right diet to take.i wana have some tips on that bse its too much for me.new year. A. BMI is a simple method to have an estimation of your body weight. because just measuring weight is not enough because it differentiate between people due to their hight. a 5 footer does not have normal weight as a 6 footer...here is a link to the WHO site that explains how to calculate it and what the results mean:http://www.who.int/bmi/index.jsp?introPage=intro_3.html All content on this website, including dictionary, thesaurus, literature, geography, and other reference data is for informational purposes only. This information should not be considered complete, up to date, and is not intended to be used in place of a visit, consultation, or advice of a legal, medical, or any other professional.
LTE vs WiMax .. charges and control of data. With lte, you will have a closed web system. The prinpical of lte is to allow the service provider to have 100% control of all data. In practice; You want to watch netflix, be prepared to pay extra. Want youtube, be prepared to pay extra. What to visit a website, be prepared to pay extra. The main reason wimax and lte are two different services is because lte, namely verizon and att, want to 100% control over every byte of thier services. They can not only limit what you can see, but specifically what apps you use. What to have navigation, lte can limit not only what you can download, but with lte, it can be easily blocked you from ever using the data at all. What to easy tether, lte can automatically block the internet connect the minute you hook up the machine. LTE was created to be carrier controlled and carrier formed internet. LTE is specifically created so the carrier has complete and legal control over ever byte of data. Wimax's first rule was any device for the whole interent. Wimax is web neutral, no legal website, service, or app can be blocked when using wimax. No service is given preferences. Only control of content is the carrier can use, is to limit degradation of the service and limit illegal content. To make this clear, any program, service, or user content never never be blocked when using wimax. Wimax is truly open. So I guess what you mean when you say you would drool over something, means you wish the carriers to have 100% control over every action you do online. " by BlackDynamite: "Just to clarify a few things... 1: Verizon has already said they will be changing the data as part of their new network management strategies. Among other things, they will be compressing pictures and videos, downgrading resolutions, sending mobile versions of websites, etc. 2: Metro PCS has flat out said they are charging extra for youtube. 3: The FCC has no problem with either of these things as it is totally allowed in the new net neutrality rules. Wireless carriers are pretty much allowed to do what they want under the new rules, while wired broadband is required to follow net neutrality. 4: Verizon wrote the new net neutrality rules. This little protest they are putting up is a sham. I can already see how it is going to go... Verizon puts up some fake little protest. They come to court with a weak case. The judge upholds the net neutrality rules. The goverment spins it as a victory for consumers. The general public buys it, thinking it must be good for consumers if Verizon didn't like it. Meanwhile, Verizon is filtering data left and right (funny they slipped that announcement in while the entire media was focused on Egypt). " Throttling, controlling, limiting, parcing, reducing. Doesn't matter which words are used, carriers shouldn't be in the business of doing anything to data that's not harmful to the network. And by harmful, I don't mean slowing it down - that's not harmful, it's a nuisance that can be addressed by the carrier network and pricing. What it boils down to is I don't care about Wimax vs LTE so much as who's going to provide great service at payable prices. Consumers don't know what to believe (and don't want to spend a lot of time looking it up) so they'll continue to go for what's getting the best hype, spin, and publicity. I truly hope Sprint gets full Wimax deployment sooner rather than later. At some point that's more important than screaming fast speeds. Unless you're a serious gamer, the current Wimax, HSPA+, and LTE speeds are more than adequate. But they're not available everywhere. The thing I care about most in these debates is when will full 4G coverage be available. No one's racing to "industry first" on that one! "Where this gets tricky is that users are allowed to have unlimited YouTube access and unlimited web browsing under the $40 tier. But to get broad unlimited Internet access for things like VoIPSkype, streaming video and audio services, data uploads and gaming services, users will have to move up to the $50 or $60 tier, MetroPCS Scary stuff. People want this so they can access the very applications that they will be forced to pay extra for. So they are paying twice. And people are angry about Sprint? No one wants to see their bills go up, granted, but this is a whole lot worse IMHO. The WiMax standard is an IEEE standard, brought to you by the same (neutral) standards body that controls specs like those for WiFi and USB. The LTE standard is a 3GPP standard. 3GPP is a telecom industry funded organization, and it was specifically designed with the sorts of policy control functions network operators foresaw as tools they could use, in part, to do things like differentiate between data type for control and monetization purposes that are contemplated in this post. There have been a flurry of telecoms software companies offering (to use the 3GPP terminology) Policy and Charging Rules Function (PCRF) which is a central point for managing network infrastructure costs and enabling subscribers to enjoy a wide variety of services and a high quality experience. The Policy Controller can also be deployed in conjunction with Deep Packet Inspection (DPI) solutions. Click to expand... For 'enabling subscribers to enjoy a wide variety of services and a high quality experience,' substitute 'enabling network operators to discriminate between high- and low-value traffic types, and adjust tariffs accordingly.' Policy management is increasingly critical as mobile operators struggle to handle the explosion of mobile data engendered requirements of running 4G networks and strive to create, implement, and control new service tiers enabled by next-generation mobile broadband.)[emphasis added] Another bad thing I read about LTE is that it is assigned a private IP address so you can not access it from the outside. Not as big of a problem on phones as it is on data cards, but it will not allow you to access a slingbox or security cameras or things like that from the public side of the internet. Here is a test I ran just now to show I am not selecting only good tests. From my prospective, I have little incentive to deal with Verizon's capping policies and prices for LTE. Mind you, my speed is on a live network with actual Wimax devices eating bandwidth. LTE's "blazing" speed is on a basically dead network with no users. Let's see how things change after you can actually buy an LTE device. ^^^ i read in other threads here... that verizon's 3G and 4G share the same bandwidith.... or something like that. so that as 3G gets more busy.. 4G will feel some of the traffic too. today iphone 4 go on sale on V. so.... Click to expand... I think both VZW and ATT LTE is in the 700Mhz spectrum. LTE (and Wimax) will still need 3G and other ways to backhaul data from towers. VZW has done a better job investing in backhaul, which is why their coverage is faster/better than ATT in many areas. ATT is behind, instead choosing to focus on adding HSPA+ as an interim step before going to LTE. My guess is that ATT did this because they simply weren't ready to move on LTE and HSPA+ at least offers enough speed for them not to be totally left behind. Besides, even HSPA+ is now being called "4G" (TMo started it). ATT would likely have been really crippled had they not been able to get additional LTE spectrum by purchasing FloTV from Qualcomm. As we all know, FloTV is being shut down because it was never a big seller and doesn't have spectrum to cover continuous TV streaming and data required by ATT services. As to increased traffic issues at VZW due to iPhone, we'll see. There's no reason to believe VZW won't have accounted for the influx of iPhans. VZW has been working to expand 3G traffic handling for years knowing that the golden egg was getting iPhone. Though I think VZW's a bit expensive, they are that way so they can do things like get the iPhone off exclusive. I don't think any other carrier could have put that much pressure on AAPL. I believe the issue with LTE speed won't be the LTE towers so much as the backhaul strength. That's what slowed 3G, and it can slow 4G as well. I'm curious whether the issue could be worse with 4G though since the data is moving in much higher volume now. As to Sprint with Wimax, I still think it's the better technology in the long run since it can easily handle uncompressed data exchanges. I also like that it's not a technology developed out of wireless carrier frustration. As to Sprint with Wimax, I still think it's the better technology in the long run since it can easily handle uncompressed data exchanges. I also like that it's not a technology developed out of wireless carrier frustration. Click to expand... [OT] Agree that WiMax is a better tech from the user's perspective, because LTE is a 3GPP spec that was designed by the telecoms industry with their interests in mind (e.g., policy control, etc.) whereas WiMax is a 'purer' IEEE spec (like WiFi). But it is sadly looking like a Betamax/VHS situation, where the best technology ends up losing out. People don't understand that the industry's intention is to use the next gen networks to return us back to the walled garden/AOL days, and that they are succeeding in their intentions. I think if more people understood this, people might look at Sprint a lot differently. And I think that Sprint/Clear could perhaps incorporate this fact into their marketing, and that if they did it might make at least a bit of a difference, but that they are afraid to do so. As long as they keep Wimax active then we'll be able to use it. Supposedly that will be through 2012. The good news is that the Network Vision is supposed to improve 3G service as well so our phones should be good until we are ready to upgrade. I mean, the iPhone only gets 3G anyway so we should be in at least as good of shape as the iPhone users are I happen to be in an area with excellent Wimax coverage so I am really hoping that LTE will be as good.
Anach Posts: 505 Knuckleheaded KnobPosts: 505 Anach's Sims 3 Mods - Updated 18th September 2014 (1.67) « on: 2009 December 20, 22:31:14 » All these have been updated for 1.67, and while you may find similar mods elsewhere, these versions are my own personal settings and entirely updated for the current version of the game with all EP/SP installed. I do not support any other versions than the version I play. It is likely my descriptions do not list every tweaked value, as it can be difficult to recall each setting. If you don't like the settings, you can easily change them yourself or remove them without risk to your save-games. I do not do custom requests of these tweaks, as the majority are easily tunable to your own liking using S3PE. Use at your own risk. Anach_Sims3_Tweaks_1.67.A Anach_5x_Vacation_Price - Increases the costs of going on Vacation. Anach_AdoptionPrice - Increases the price of adopting a child to 10000. Anach_AgingTweaks - Removes CAS age stagger and doubles the occult agespan. Anach_All_Buyable - Adds missing skill books, allows buying most WA items as well as some hidden base game items, and adds the ability to use WA registers in non-vacation worlds. Anach_AmbrosiaGroupServe - Allows for a group serving of Ambrosia (needed for the food replicator.) Anach_Babysitter_Tweaks - Slight price increase and other minor tweaks. Anach_BeAskedToMoveIn - Be asked by autonomously by teens and others more frequently. Anach_BoardingSchoolCost - 10x cost for Boarding Schools. Anach_BoastAboutGrandchildren - Adults can boast. Anach_BouncerBribe_x10 - Increases the bribe required for club bouncers. Anach_BurglarTweaks - Removes Sims psychic burglar detection. Anach_Butler_Tweaks - Cost of hiring a butler is increased to 6600, as well as some food preparation tweaks. Anach_CameraHeightMin - Game camera minimum height is lowered close to the floor. Anach_CASDetails8x2 - Allows for using more Moles, Freckles and Age details in CAS. Anach_CelebrityDifficulty - Increases the points required to become a Celeb, and halves the chances of getting caught. Anach_CelebSuePaparazzi - Wins, loses and bribes for the Paparazzi are considerably increased (based on level). Anach_ChildrenTrainSimFix - Prevents children from being able to train adults on gym equipment (missing animations). Anach_ClubClosingTimes_12hr - Max of 12 hour openings for people replacing service sims with town sims. Anach_ClubClosingTimes - All clubs close at 5a.m. Anach_ConsignmentFees - Small tweak to the profit margins of the Consignment stores, based on the hidden Consignment Skill. Anach_DiapiersToNappies - Changes the word Diaper to Nappy where applicable. Anach_DonationAmount - Increases the medium and large amounts for charity donations as well as the buff received. Anach_FallToAutumn - Changes season Fall season name to Autumn where applicable. Anach_Fires - Increases the expansion and difficulty of fire. Anach_FishTankCapacity - Doubles the fish allowed in the fish tank. Anach_GenieTweak - Changes "More Wishes" chance to 10% from 5% and removes pregnancy restrictions. Anach_HigherBillsRegular - Bills are 4x, but only delivered once per week instead of twice. Also changes bookclub day to Friday. Anach_IceCreamTruck - Less visit chance for ice cream truck. Anach_InteractionQueueLimit16 - Maximum queued interactions is doubled to 16. Anach_InteractionTweaks - Various personal interaction tweaks. Autonomous "Ask to move in" interaction, sets "Ask sign" and "As if Single" to friendly, Ask/Offer to turn for vampires, teen bands and other social interactions available for teens. Anach_LessGnomes - Less pet and freezer bunny gnomes. Anach_LongerEating - Meals take longer to eat and Sims will sit around chatting longer after finishing meals. Anach_MaidTweaks - Maid now costs 250 per day. Two maids will come if 10 items or more need cleaning. Increases likelihood of same Maid returning. Anach_MedicalPanicChildFix - Excludes children from the medical panic situation (Missing animations.) Anach_Mixologist_Tweaks - Mixologists cost 500. Anach_MoodDifficultyx2 - Doubles the happiness required to fill the mood meter. Anach_Newspaper_Tweaks - Adds 5 Simoleon price to delivery, and changes delivery location to mailbox instead of front door. Anach_No_Sting - Removes woohoo, try for baby & relationship chimes. Anach_NoAnnoyingMusic - Removes majority of Build/Buy/CAS music. Also removes Firefighter and Ghost Hunter career music. Anach_NoAutoPetFollow - Pets no longer follow Sims everywhere. Anach_NoAutoPetsInvestigateStrangeSims - Pets no longer disturb your occult sims. Anach_NoAutoPetWakeUp - Pets wont wake Sim autonomously. Anach_NoFreeIngredients - No free ingredients for new homes or switching households. Anach_NoIntro - Removes the game start Intro movie. Anach_NoSpongeBathRestrict - Anyone can sponge-bath at anytime. Anach_Party_Tweaks - Increases maximum party guests allowed to 25. Also tweaks food and bring friend changes. Anach_PotionPrices - Doubles potion prices. Anach_PregnancyTweaks - Pregnancy lasts 9 Sim days on epic (Untested durations with new aging sliders) Anach_PurchaseScraps - Purchase 10x the amount of scrap. Anach_ReactionRemover - Removes the scared reactions for when a Sim sees a Ghost, Mummy, Simbot. Anach_RealEstateIncome - Increases the cost of Real Estate by 10x, and decreases the income by 50%. Anach_Repairman_Tweaks - Repairman costs 500. Anach_RestoreGhostCost - Restore Ghost costs 150000. How much are you willing to pay to bring back a loved one? Anach_RichValue - Sims are classed as "Rich" when their lot value is over 500000. Anach_SitOnBathToilet - Allows user-directed sitting on toilets and bath tubs and fixes missing "Sit" translation for Uber-Toilet. Anach_SlowVehicles - Vehicles capped to more pedestrian friendly speeds. Anach_StartingFunds - Doubles starting funds. Anach_VampTweaks - Various vampire tweaks. Enables autonomous NPC Vampires, increases Sun damage, increases friendship gained with "make sim think about me" power, increases cost of cure to 60k and other minor tweaks. Anach_WashHandsChance - Normal Sims have 75% change of washing hands. Slobs 0%, Neat 100%. Anach_EF_Bikini Enables the bikini n swimwear for elders. Anach_DriveableVehicles_1.2 Ownable, drivable, customisable vehicles. (rig fixed) Anach_CarLimoBlue.package - Recolourable Limo Anach_CarPolice.package - Reward Police Car (debug) Anach_CarServiceFireTruck.package - Small Fire Truck (debug) Anach_Sunset_Valley_Expanded_1.2 This is an altereration of Sunset Valley to include room for the various EP/SP/Store lots. As I like Sunset Valley, and have an established family line within this town, I wanted to continue playing this town, but was finding it increasingly difficult to place the lots that keep coming with each expanion. I looked at some other custom worlds, but none of them were exactly what I was looking for. My main goal was to make minimal changes to the terrain and leave all the original lots in place, while adding enough lots to include the new lot types from the various expanions and DLC. The size and location of the lots is to suit my own game and may not be to everyone's taste. I have used NO store or custom content and all new lots are vacant. All standard lots and town families are untouched. Added: 15x20 x1 35x25 x2 30x20 x7 30x30 x6 40x30 x3 40x40 x2 60x60 x2 64x64 x2 1.0 + Intital release. 1.1 + Routing fixes - Removed rogue shrub 1.2 + Routing fixes + fixed edges on some default EA lots. These are my own personal mods that I use to tune the game to my liking. Many of these tweaks will make the game harder by increasing expenditure and decreasing income. The mods are modular and will not conflict with each other.All these have been updated for, and while you may find similar mods elsewhere, these versions are my own personal settings and entirely updated for the current version of the game with all EP/SP installed. I do not support any other versions than the version I play.It is likely my descriptions do not list every tweaked value, as it can be difficult to recall each setting. If you don't like the settings, you can easily change them yourself or remove them without risk to your save-games. I do not do custom requests of these tweaks, as the majority are easily tunable to your own liking using S3PE. Use at your own risk.Anach_5x_Vacation_Price - Increases the costs of going on Vacation.Anach_AdoptionPrice - Increases the price of adopting a child to 10000.Anach_AgingTweaks - Removes CAS age stagger and doubles the occult agespan.Anach_All_Buyable - Adds missing skill books, allows buying most WA items as well as some hidden base game items, and adds the ability to use WA registers in non-vacation worlds.Anach_AmbrosiaGroupServe - Allows for a group serving of Ambrosia (needed for the food replicator.)Anach_Babysitter_Tweaks - Slight price increase and other minor tweaks.Anach_BeAskedToMoveIn - Be asked by autonomously by teens and others more frequently.Anach_BoardingSchoolCost - 10x cost for Boarding Schools.Anach_BoastAboutGrandchildren - Adults can boast.Anach_BouncerBribe_x10 - Increases the bribe required for club bouncers.Anach_BurglarTweaks - Removes Sims psychic burglar detection.Anach_Butler_Tweaks - Cost of hiring a butler is increased to 6600, as well as some food preparation tweaks.Anach_CameraHeightMin - Game camera minimum height is lowered close to the floor.Anach_CASDetails8x2 - Allows for using more Moles, Freckles and Age details in CAS.Anach_CelebrityDifficulty - Increases the points required to become a Celeb, and halves the chances of getting caught.Anach_CelebSuePaparazzi - Wins, loses and bribes for the Paparazzi are considerably increased (based on level).Anach_ChildrenTrainSimFix - Prevents children from being able to train adults on gym equipment (missing animations).Anach_ClubClosingTimes_12hr - Max of 12 hour openings for people replacing service sims with town sims.Anach_ClubClosingTimes - All clubs close at 5a.m.Anach_ConsignmentFees - Small tweak to the profit margins of the Consignment stores, based on the hidden Consignment Skill.Anach_DiapiersToNappies - Changes the word Diaper to Nappy where applicable.Anach_DonationAmount - Increases the medium and large amounts for charity donations as well as the buff received.Anach_FallToAutumn - Changes season Fall season name to Autumn where applicable.Anach_Fires - Increases the expansion and difficulty of fire.Anach_FishTankCapacity - Doubles the fish allowed in the fish tank.Anach_GenieTweak - Changes "More Wishes" chance to 10% from 5% and removes pregnancy restrictions.Anach_HigherBillsRegular - Bills are 4x, but only delivered once per week instead of twice. Also changes bookclub day to Friday.Anach_IceCreamTruck - Less visit chance for ice cream truck.Anach_InteractionQueueLimit16 - Maximum queued interactions is doubled to 16.Anach_InteractionTweaks - Various personal interaction tweaks. Autonomous "Ask to move in" interaction, sets "Ask sign" and "As if Single" to friendly, Ask/Offer to turn for vampires, teen bands and other social interactions available for teens.Anach_LessGnomes - Less pet and freezer bunny gnomes.Anach_LongerEating - Meals take longer to eat and Sims will sit around chatting longer after finishing meals.Anach_MaidTweaks - Maid now costs 250 per day. Two maids will come if 10 items or more need cleaning. Increases likelihood of same Maid returning.Anach_MedicalPanicChildFix - Excludes children from the medical panic situation (Missing animations.)Anach_Mixologist_Tweaks - Mixologists cost 500.Anach_MoodDifficultyx2 - Doubles the happiness required to fill the mood meter.Anach_Newspaper_Tweaks - Adds 5 Simoleon price to delivery, and changes delivery location to mailbox instead of front door.Anach_No_Sting - Removes woohoo, try for baby & relationship chimes.Anach_NoAnnoyingMusic - Removes majority of Build/Buy/CAS music. Also removes Firefighter and Ghost Hunter career music.Anach_NoAutoPetFollow - Pets no longer follow Sims everywhere.Anach_NoAutoPetsInvestigateStrangeSims - Pets no longer disturb your occult sims.Anach_NoAutoPetWakeUp - Pets wont wake Sim autonomously.Anach_NoFreeIngredients - No free ingredients for new homes or switching households.Anach_NoIntro - Removes the game start Intro movie.Anach_NoSpongeBathRestrict - Anyone can sponge-bath at anytime.Anach_Party_Tweaks - Increases maximum party guests allowed to 25. Also tweaks food and bring friend changes.Anach_PotionPrices - Doubles potion prices.Anach_PregnancyTweaks - Pregnancy lasts 9 Sim days on epic (Untested durations with new aging sliders)Anach_PurchaseScraps - Purchase 10x the amount of scrap.Anach_ReactionRemover - Removes the scared reactions for when a Sim sees a Ghost, Mummy, Simbot.Anach_RealEstateIncome - Increases the cost of Real Estate by 10x, and decreases the income by 50%.Anach_Repairman_Tweaks - Repairman costs 500.Anach_RestoreGhostCost - Restore Ghost costs 150000. How much are you willing to pay to bring back a loved one?Anach_RichValue - Sims are classed as "Rich" when their lot value is over 500000.Anach_SitOnBathToilet - Allows user-directed sitting on toilets and bath tubs and fixes missing "Sit" translation for Uber-Toilet.Anach_SlowVehicles - Vehicles capped to more pedestrian friendly speeds.Anach_StartingFunds - Doubles starting funds.Anach_VampTweaks - Various vampire tweaks. Enables autonomous NPC Vampires, increases Sun damage, increases friendship gained with "make sim think about me" power, increases cost of cure to 60k and other minor tweaks.Anach_WashHandsChance - Normal Sims have 75% change of washing hands. Slobs 0%, Neat 100%.Enables the bikini n swimwear for elders.Ownable, drivable, customisable vehicles. (rig fixed)Anach_CarLimoBlue.package - Recolourable LimoAnach_CarPolice.package - Reward Police Car (debug)Anach_CarServiceFireTruck.package - Small Fire Truck (debug)This is an altereration of Sunset Valley to include room for the various EP/SP/Store lots.As I like Sunset Valley, and have an established family line within this town, I wanted to continue playing this town, but was finding it increasingly difficult to place the lots that keep coming with each expanion. I looked at some other custom worlds, but none of them were exactly what I was looking for.My main goal was to make minimal changes to the terrain and leave all the original lots in place, while adding enough lots to include the new lot types from the various expanions and DLC. The size and location of the lots is to suit my own game and may not be to everyone's taste.I have used NO store or custom content and all new lots are vacant. All standard lots and town families are untouched.Added:15x20 x135x25 x230x20 x730x30 x640x30 x340x40 x260x60 x264x64 x21.0+ Intital release.1.1+ Routing fixes- Removed rogue shrub1.2+ Routing fixes+ fixed edges on some default EA lots. « Last Edit: 2014 September 18, 03:05:13 by Anach » Logged Anach's Sims 3 Mods - More of my Mods here Merging mods to increase performance!
The Tampa Scale for Kinesiophobia: further examination of psychometric properties in patients with chronic low back pain and fibromyalgia. The present study attempted to replicate the robustness of a two-factor model of the Tampa Scale for Kinesiophobia (TSK) in chronic low back pain (CLBP) patients and fibromyalgia patients, by means of confirmatory factor analysis. Construct and predictive validity of the TSK subscales were also examined. Results clearly indicated that a two-factor model fitted best in both pain samples. These two factors were labelled somatic focus, which reflects the belief in underlying and serious medical problems, and activity avoidance, which reflects the belief that activity may result in (re)injury or increased pain. Construct validity of the TSK and its subscales was supported by moderate correlation coefficients with self-report measures of pain-related fear, pain catastrophising, and disability, predominantly in patients with CLBP. Predictive validity was supported by moderate correlation coefficients with performance on physical performance tests (i.e., lifting tasks, bicycle task) mainly in CLBP patients. Implications of the results are discussed and directions for future research are provided.
[![Build Status](https://travis-ci.org/kartotherian/input-validator.svg?branch=master)](https://travis-ci.org/kartotherian/input-validator) # @kartotherian/input-validator Kartotherian input validation functions
107 Ga. App. 377 (1963) 130 S.E.2d 352 BARROW v. JAMES. 39914. Court of Appeals of Georgia. Decided February 21, 1963. Walter O. Allanson, for plaintiff in error. Edwards, Bentley, Awtrey & Bartlett, Scott S. Edwards, Jr., contra. RUSSELL, Judge. 1. The petition in this case sets out a cause of action based on one act of negligence only: the failure of *378 a property owner to maintain his premises in a safe condition in that the top step of a flight of stairs contained a loose step which tilted when the plaintiff's weight was applied to it and threw her down the stairs. For the plaintiff to recover it was accordingly necessary for her to prove such negligence on the part of the defendant. Barrow v. James, 104 Ga. App. 345 (121 SE2d 700). 2. The testimony of a party litigant which is inconclusive and ambiguous must, even as against a directed verdict, be construed most strongly against her. Farmers Peanut Co. v. Zimmerman &c. Co., 52 Ga. App. 265 (4) (183 SE 115). The ambiguity inherent in the plaintiff's testimony here is whether by the words "top step" she is referring to the landing step or to the first step down from the landing. However, the plaintiff, although testifying that she did not know what caused her to fall, said further: "I turned on the light and reached for something to hold to, to come down stairs and there was nothing to hold to, and I just tumbled down. . . The light switch was on the right-hand side of the wall and I reached with my right hand to turn on the lights, and I reached over with my left hand to catch the banister, something to hold to, to go down the steps which were narrow and short and steep, and there wasn't anything to hold on to, so I pitched forward and tumbled over. . . I would say there was nothing there to hold to was what caused me to lose my balance." Her testimony accordingly shows both that she did not take any step down from the upper landing prior to falling and that it was not the condition of the landing or steps but rather her own erroneous expectation of finding a handrail which caused her to fall. By this she disproved the only negligence alleged against the defendant. Other witnesses for the plaintiff who testified as to loose step treads identified the step as being, in one case "the first step off the landing" and in the other "one up near the top," probably the third step. Such testimony is insufficient since "the defective step must be identified with her fall." McCrory Stores Corp. v. Ahern, 65 Ga. App. 334, 337 (15 SE2d 797). Since the plaintiff's own testimony failed to show that she reached these steps, any defect there would not have been the proximate cause of her injuries. 3. One who is familiar with the premises cannot rely for recovery upon the negligence of the defendant in failing to correct *379 a patent defect where such party had equal means with the defendant of discovering it or equal knowledge of its existence. Specifically, it was held in Reynolds v. Mion & Murray Co., 93 Ga. App. 37 (90 SE2d 593) that there could be no recovery where the plaintiff fell because she reached for a guardrail or banister in a theater balcony and became overbalanced, where from her seat in the balcony it must have been obvious that there was in fact no such guardrail installed. This plaintiff had been numerous times in the defendant's house and up and down the stirs on which she fell, and is equally chargeable with knowledge that there was no banister at the place where she testified that she reached out for it. 4. The general rule is that the plaintiff may recover only upon proof establishing the specific acts of negligence alleged in the petition. Central of Ga. R. Co. v. Roberts, 213 Ga. 135, 137 (97 SE2d 149). The plaintiff's testimony here disproved the negligence alleged by establishing that her fall was due to another cause, which, if it could be considered as being a part of the same cause of action so that the testimony in effect "amended" her petition (in which connection see Harvey v. DeWeill, 102 Ga. App. 394 (2), 116 SE2d 747), would avail her nothing since it showed at the same time a state of facts under which her own contributory negligence would bar her from recovery. Nor would negligence of the defendant in allowing treads on some of the steps to become loose and insecure create a jury question where the evidence totally failed to show that such negligence, if it existed, was a part of the proximate cause of the injuries. Stapleton v. Stapleton, 87 Ga. App. 417 (74 SE2d 116). It follows that the trial court did not err in directing a verdict in favor of the defendant. Code Ann. § 110-104; Berger v. Georgia Power Co., 77 Ga. App. 672, 674 (49 SE2d 668). Judgment affirmed. Felton, C. J., and Eberhardt, J., concur.
Today's DUMBCON Level Is: -1 (and unlikely to change any time soon) Do It Now! About Me I'm a 63-year old father of three and grandfather of six with opinions on nearly everything. I believe in courtesy, common sense, and fair play. I love ballroom dancing, reading, gourmet cooking, and travel. While I'm opinionated, I'm not close-minded, and I welcome your constructive comments on my blog. My motto: "I have seen the truth, and it makes no sense." Our Award from The Scholastic Scribe Monday, August 25, 2008 Thoughts About August 25th and Choices Today is Monday, August 25th. It's a day pretty much like any other day in the Washington DC-Maryland-Northern Virginia area, in that I expect both good and bad things. On the good side: the new season lineup for Dancing with the Stars will be announced. On the bad side: global warming will take a sharp increase as he Democratic National Convention begins in Denver. I fear for whatever snow is still left high in the Rockies. On the good side: the Republican National Convention won't start for another week, so we don't have to suffer double the hot air at once. On the bad side: the Republican National Convention will start in another week. I sometimes feel badly about being so cynical and depressed over the state of our presidential campaign. But when I do, I take a moment to reflect on all the politicians of both parties who have striven manfully (and womanfully, too, of course) to help me develop my attitude. I can't believe that a nation of almost 305,000,000 people can't come up with two better candidates than Barack Obama and John McCain. Senator Obama is an inexperienced lightweight who is, in my mind, utterly unprepared to be president at this point in his life and our history. He may be an appealing candidate, and the selection of Senator Biden as a running mate will help paper over some of the gaping holes in his resume, but his appeal is all superficial. The man just ain't ready. Senator McCain is a very experienced person, and a genuine war hero in a Congress notably short of members willing to perform military service (consider that Mr Cheney had better things to do than serve in the military during his college years). The problem is that Mr McCain is a Republican, however much a maverick one (whatever that means), and the Republicans under George W. Bush have done a magnificent job of hosing up the country and squandering our international reputation. Whatever his positive points, Mr McCain represents this legacy, I don't want it, and I don't think the country can take it. The worst part about the whole thing is that - despite my strong endorsement of Nobody as a candidate - I can't not vote in November. Grumpily sitting it out without voting simply allows others to make a decision that critically affects me, my family, and my world. My four wonderful grandchildren will grow up in a world shaped by the next president, and my only choice for leadership is between John McCain and Barack Obama. I'm depressed. How do I chose between two candidates, neither of which I can support in good conscience? If you've got any ideas, I'm listening. In the meantime, your best voting options over the next few months will be on Dancing with the Stars. You may as well follow along. At least you'll know what you're voting for. And your entire future won't depend on it. Have a good day to begin this traditional last week of summer. More thoughts tomorrow. 8 comments: If you find a way let me know. My conscience leads me to the Obamination, but my heart says, stay home in Nov which is something I've only done once and that was because I had a business trip that happened spur of the moment. I don't need to vote for either one of those men and I'm also not qualified to say if they're fit for the job or not. All I know is that CNN had a very interesting biography of Obama last Saturday and this Saturday its going to be McCain. I'll watch it too for the 'fun' of it. Become a default Democrat like I did after Reagan. Remember the guy that said he was going to balance the budget and then ran up the bigget deficits ever, until now. Better tax and spend rather than steal and spend. I'm depressed. How do I chose between two candidates, neither of which I can support in good conscience? I see this sentiment a lot in my travels around these here inter-tubes, especially among Republicans/conservatives, not so much among Democrats... unless you count disaffected Hillary supporters. While I'm not a McCain fan, I just cannot support, or vote for, a guy with a resume as thin as Senator Obama's. That's just for starters. When you add Obama's philosophical and intellectual associations and influences (I'm thinking Alinsky/Ayers here, but one could add others), the decision becomes crystal-clear... for me, at least. We can survive four years of McCain, but I'm not so sure I can say that about an Obama presidency. I won't take the chance, anyway. Another thing that gives me pause about Obama....who else is supporting him and, presumably, who will advise him. Tony McPeak (Ret. AF General and world class @$$) is a supporter and I really worry would end up an advisor.I'm very torn, though, on other topics I can't stomach McCain, much as I respect him. It really is a choice of least bad. Now I'm really depressed after reading all of your thoughts. It's like choosing the lesser of two evils. Sometimes you have to choose the lesser one. And which of the two candidates is the lesser evil? It's an enigma really. Hesitantly, I have to go to the polls this coming November.