text
stringlengths
12
4.76M
timestamp
stringlengths
26
26
url
stringlengths
32
32
A novel dual-color bifocal imaging system for single-molecule studies. In this paper, we report the design and implementation of a dual-color bifocal imaging (DBI) system that is capable of acquiring two spectrally distinct, spatially registered images of objects located in either same or two distinct focal planes. We achieve this by separating an image into two channels with distinct chromatic properties and independently focusing both images onto a single CCD camera. The two channels in our device are registered with subpixel accuracy, and long-term stability of the registered images with nanometer-precision was accomplished by reducing the drift of the images to ∼5 nm. We demonstrate the capabilities of our DBI system by imaging biomolecules labeled with spectrally distinct dyes and micro- and nano-sized spheres located in different focal planes.
2024-06-05T01:26:51.906118
https://example.com/article/3123
I despise the week between Christmas and New Years. Why? Because without fail, I see piles upon piles of new holiday pets. Pets from pet stores, whose owners overpaid for them and can then not afford to treat them for the parasites, distemper, or congenital disease they all too often wind up with. It happens every year. In 1999, Mike Arms at The Helen Woodward Animal Center decided to change that. With 14 local shelters, they launched the “Home for the Holidays” campaign to encourage people to adopt a pet instead of buying one. To say that it was a success is a bit of an understatement. Since its modest beginnings in 1999, Home 4 the Holidays has seen the placement of 4.6 million pets, including dogs, cats, rabbits, reptiles, and birds. It has grown from 14 Southern California shelters to over 3,500 animal organizations in over 21 countries. Helen Woodward has partnered with Iams to make this program a worldwide movement. This year’s goal is to adopt 1.5 million animals and donate 5 million bowls of food to shelters in need. You can help make this a reality! Here’s how: 1. Adopt a pet in need and/or encourage others to do so. Even if you aren’t ready to adopt a pet yourself, I bet you know someone who is. Someone who has mentioned they are looking for a dog/cat/ferret/whatever. You’d be surprised how many people are still not aware that the shelters and rescues are overflowing with puppies, kittens, purebreds, and whatever it is they think they won’t find there. Petfinder is one of my favorite sites in the whole world and I still meet people every day who had no idea it exists. 2. Leave a comment here. Seriously. It’s that simple. Comment on this post and Iams will donate 25 meals to a shelter in need. Any comment counts. Tell your friends, tell your Facebook buddies- we have ONE WEEK to drive this as high as we can. My goal between now and November 8th is 400 comments. Can I do it? Can we do it? I need your help!! 3. Post a picture on my Facebook page to generate FIFTY meals. “Like” Iams on Facebook. Go to the pawcurious Facebook fan page. Upload a picture of your pet with a caption that says what your pet is most curious about. Get it? curious? 😀 Make sure the picture is tagged with @Iams to select their page. That tag is what will generate the 50 meal donation. To sweeten the pot I will pick one picture from this group to receive a prize. Don’t ask me what since I don’t know what it will be yet, but it will be a prize and it will be delightful. Easy, right? Can I count on you guys to help me get 400 comments this week? GO! GO!! GO!!!
2024-07-09T01:26:51.906118
https://example.com/article/7455
/* * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ // tslint:disable: no-unused-expression import * as sinon from 'sinon'; import * as chai from 'chai'; import * as chaiAsPromised from 'chai-as-promised'; import { FabricNode, FabricNodeType } from '../../src/fabricModel/FabricNode'; chai.use(chaiAsPromised); describe('FabricNode', () => { let mySandBox: sinon.SinonSandbox; let peerNode: FabricNode; let caNode: FabricNode; let ordererNode: FabricNode; beforeEach(async () => { mySandBox = sinon.createSandbox(); peerNode = FabricNode.newPeer('peer0.org1.example.com', 'peer0.org1.example.com', 'grpc://localhost:7051', 'Org1', 'admin', 'Org1MSP'); caNode = FabricNode.newCertificateAuthority('ca.org1.example.com', 'ca.org1.example.com', 'http://localhost:7054', 'ca_name', 'Org1', 'admin', 'Org1MSP', 'admin', 'adminpw'); ordererNode = FabricNode.newOrderer('orderer.example.com', 'orderer.example.com', 'grpc://localhost:7050', 'Org1', 'admin', 'OrdererMSP', 'myCluster'); }); afterEach(() => { mySandBox.restore(); }); it('should create a peer', () => { peerNode.should.exist; }); it('should create a secure peer', () => { const securePeerNode: FabricNode = FabricNode.newSecurePeer('peer0.org1.example.com', 'peer0.org1.example.com', 'grpc://localhost:7051', 'myPem', 'Org1', 'admin', 'Org1MSP'); securePeerNode.should.exist; }); it('should create a orderer', () => { ordererNode.should.exist; }); it('should create a secure orderer', () => { const secureOrdererNode: FabricNode = FabricNode.newSecureOrderer('orderer.example.com', 'orderer.example.com', 'grpc://localhost:7050', 'myPem', 'Org1', 'admin', 'OrdererMSP', 'myCluster'); secureOrdererNode.should.exist; }); it('should create a couchdb', () => { const couchNode: FabricNode = FabricNode.newCouchDB('couchdb.example.com', 'couchdb.example.com', 'grpc://localhost:7064'); couchNode.should.exist; }); it('should create a ca', () => { caNode.should.exist; }); it('should create a secure ca', () => { const secureCaNode: FabricNode = FabricNode.newSecureCertificateAuthority('ca.org1.example.com', 'ca.org1.example.com', 'http://localhost:7054', 'ca_name', 'myPem', 'Org1', 'admin', 'Org1MSP', 'admin', 'adminpw'); secureCaNode.should.exist; }); describe('validateNode', () => { it('should not throw an error if peer node is valid', () => { try { FabricNode.validateNode(peerNode); } catch (error) { throw new Error('should not get here ' + error.message); } }); it('should not throw an error if orderer node is valid', () => { try { FabricNode.validateNode(ordererNode); } catch (error) { throw new Error('should not get here ' + error.message); } }); it('should not throw an error if ca node is valid', () => { try { FabricNode.validateNode(caNode); } catch (error) { throw new Error('should not get here ' + error.message); } }); it('should throw an error if doesn\'t have a name', () => { try { peerNode.name = undefined; FabricNode.validateNode(peerNode); } catch (error) { error.message.should.equal('A node should have a name property'); } }); it('should throw an error if doesn\'t have a name', () => { try { peerNode.name = undefined; FabricNode.validateNode(peerNode); } catch (error) { error.message.should.equal('A node should have a name property'); } }); it('should throw an error if doesn\'t have a type', () => { try { peerNode.type = undefined; FabricNode.validateNode(peerNode); } catch (error) { error.message.should.equal('A node should have a type property'); } }); it('should throw an error if doesn\'t have a api_url', () => { try { peerNode.api_url = undefined; FabricNode.validateNode(peerNode); } catch (error) { error.message.should.equal('A node should have a api_url property'); } }); it('should throw an error if a peer doesn\'t have a msp_id', () => { try { peerNode.msp_id = undefined; FabricNode.validateNode(peerNode); } catch (error) { error.message.should.equal(`A ${peerNode.type} node should have a msp_id property`); } }); it('should throw an error if a orderer doesn\'t have a msp_id', () => { try { ordererNode.msp_id = undefined; FabricNode.validateNode(ordererNode); } catch (error) { error.message.should.equal(`A ${ordererNode.type} node should have a msp_id property`); } }); it('should throw an error if a ca doesn\'t have a ca_name', () => { try { caNode.ca_name = undefined; FabricNode.validateNode(caNode); } catch (error) { error.message.should.equal(`A ${caNode.type} node should have a ca_name property`); } }); }); describe('pruneNode', () => { it('should set hidden to false when undefined', () => { try { peerNode.hidden = undefined; const prunedNode: FabricNode = FabricNode.pruneNode(peerNode); prunedNode.hidden.should.equal(false); } catch (error) { throw new Error('should not get here ' + error.message); } }); it('should set hidden, and cluster name if defined', () => { const fabricNode: FabricNode = FabricNode.pruneNode({ short_name: 'myNode', name: 'myNode', type: FabricNodeType.ORDERER, api_url: 'grpc://localhost:1234', hidden: true, cluster_name: 'myCluster' }); fabricNode.hidden.should.equal(true); fabricNode.cluster_name.should.equal('myCluster'); }); it('should set ca name if defined', () => { const fabricNode: FabricNode = FabricNode.pruneNode({ short_name: 'myNode', name: 'myNode', type: FabricNodeType.CERTIFICATE_AUTHORITY, api_url: 'grpc://localhost:1234', ca_name: 'myCA' }); fabricNode.ca_name.should.equal('myCA'); }); it('should set pem and ssl target name override if set', () => { const fabricNode: FabricNode = FabricNode.pruneNode({ short_name: 'myNode', name: 'myNode', type: FabricNodeType.PEER, api_url: 'grpc://localhost:1234', pem: 'myCert', ssl_target_name_override: 'myOverride' }); fabricNode.pem.should.equal('myCert'); fabricNode.ssl_target_name_override.should.equal('myOverride'); }); }); });
2024-05-01T01:26:51.906118
https://example.com/article/4216
Q: weird compile-time error on Xcode code in xcode 4.2 Game Model.h #import <Foundation/Foundation.h> @interface Game_Model : NSObject{ NSString *playerName; int play; int won; } @property (nonatomic,retain) NSString *playerName; @property (nonatomic,readonly,assign) int play; @property (nonatomic,readonly,assign) int won; @end Game Model.m #import "Game Model.h" @implementation Game_Model @synthesize playerName,play,won; +(NSString *)description{ return [NSString stringWithFormat:@"%@. Player:%@. Score: %d/%d",[super description],self.playerName,self.won,self.play]; } @end I made exactly (or nearly exactly) as in a book, but I got error messages: implicit conversion of an Objective-C pointer to 'struct objc_class *' is disallowed with ARC member reference type 'struct objc_class *' is a pointer; maybe you meant to use '->'? incomplete definition of type 'struct objc_class' Automatic Reference Counting Issue: Implicit conversion of an Objective-C pointer to 'struct objc_class *' is disallowed with ARC I simply have no idea about these errors! Please help me! A: description is not a class method, but an instance method. What you create is a class method: +(NSString*)description;. You should not try to access instance properties (ivars) in a class method. Change + into -. Good luck!
2024-05-04T01:26:51.906118
https://example.com/article/2232
The title alone made it quite clear that the article was one sided, and that it is also quite clear what the writer of the article thinks about skeptics and debunkers... and anyone else who believes the reality that the U.S. government did not stage the worst terrorist attack in history. Let me share with you the first couple of paragraphs of this article: The most recent study was published on July 8th by psychologists Michael J. Wood and Karen M. Douglas of the University of Kent (UK). Entitled “What about Building 7? A social psychological study of online discussion of 9/11 conspiracy theories,” the study compared “conspiracist” (pro-conspiracy theory) and “conventionalist” (anti-conspiracy) comments at news websites. The authors were surprised to discover that it is now more conventional to leave so-called conspiracist comments than conventionalist ones: “Of the 2174 comments collected, 1459 were coded as conspiracist and 715 as conventionalist.” In other words, among people who comment on news articles, those who disbelieve government accounts of such events as 9/11 and the JFK assassination outnumber believers by more than two to one. That means it is the pro-conspiracy commenters who are expressing what is now the conventional wisdom, while the anti-conspiracy commenters are becoming a small, beleaguered minority. I can tell just by reading this that what this article is claiming is very flawed. For one thing it's assuming that the majority of people making comments on an internet news article reflects the views of the majority of the people. Even on non-conspiracy theory subjects where the majority of people posting comments may seem like the overall majority, in reality they are just being the more vocal of the two groups. The seconded problem is this "coded comments" thing. What exactly does this mean? Does it mean that the people who did this study read comments individually and were able to establish their content and context? Because of the way it was worded it doesn't sound like it to me. It makes it sound like the people who did the study actually let a computer search for certain words and phrases that are commonly used among conspiracy theorists and skeptics, which is a highly flawed way to research something like this because computers can't understand context like humans can. This of course isn't the only thing this article claims. It also claims that those that believe what they are calling the "mainstream views" are also display more anger and hostility towards those who don't: Perhaps because their supposedly mainstream views no longer represent the majority, the anti-conspiracy commenters often displayed anger and hostility: “The research… showed that people who favoured the official account of 9/11 were generally more hostile when trying to persuade their rivals.” I admit, sometimes skeptics and debunkers do get angry at conspiracy theorists, but actual hostility is actually pretty rare (although it this can be questionable as what some people consider to be hostility might not be considered hostility to others), and usually comes in the form of insults to the conspiracy theorist's intelligence or sanity (both of which after time becomes questionable) and rarely includes the form of threats (unless you include threats of getting banned and having your comments removed). Conspiracy theorists on the other hand engage in hostility towards others all the time, including fellow conspiracy theorists. This paragraph is also making the assumption that just because the majority of people who comment on internet articles about the 9/11 attacks reflects the majority of the population itself. It does not. In fact the majority of the American people have never believed that the government committed the 9/11 attacks. The next two paragraphs makes it appear that skeptics are the real conspiracy theorists: Additionally, it turned out that the anti-conspiracy people were not only hostile, but fanatically attached to their own conspiracy theories as well. According to them, their own theory of 9/11 - a conspiracy theory holding that 19 Arabs, none of whom could fly planes with any proficiency, pulled off the crime of the century under the direction of a guy on dialysis in a cave in Afghanistan - was indisputably true. The so-called conspiracists, on the other hand, did not pretend to have a theory that completely explained the events of 9/11: “For people who think 9/11 was a government conspiracy, the focus is not on promoting a specific rival theory, but in trying to debunk the official account.” In short, the new study by Wood and Douglas suggests that the negative stereotype of the conspiracy theorist - a hostile fanatic wedded to the truth of his own fringe theory - accurately describes the people who defend the official account of 9/11, not those who dispute it. This is of course another common claim and belief among conspiracy theorists in that the skeptics of the 9/11 conspiracy theories haven't done their research and just assume that the official account is correct, when in reality skeptics have done their research and have determined that the official account is for the most part correct, and that it is the claims that the conspiracy theorists make that are flawed and incorrect. This article also makes it appear that skeptics feel like they are "rivals" to conspiracy theorists. This is completely untrue. Skeptics don't consider themselves to be rivals to conspiracy theorists because skeptics don't consider a conspiracy theorists conspiracy theory to be rival to the truth. As it turns out this whole article is hugely cherry picked from the original article published by Micheal J. Woods and Karen M. Douglas (read here) and comes to an entirely different conclusion than what the original article did. This article for PressTV, which was written by Dr. Kevin Barrett, a 9/11 Truther and conspiracy theorist himself, is hugely deceptive, and is nothing more than an attempt to make people who are not apart of the 9/11 Truth movement look like a bunch deluded people who live in a fantasy world, when in reality the opposite is true. In conclusion, the article is nothing more than propaganda and dis-information.
2023-12-28T01:26:51.906118
https://example.com/article/5628
@import "bootstrap/variables.less"; @import "variables.less"; .button { /* anchor version */ text-align: center; line-height: 32px; } .button:hover { color: @button-color; text-decoration: none; } .fieldset_button { margin-top: 10px; margin-bottom: 20px; } .button_secondary { background-color: @button-secondary-background-color; border: 1px solid @button-secondary-border-color; color: @text-color; margin-left: 1.8em; } .button_copy { width: 30px; min-width: 30px; height: 30px; background-color: @button-copy-background-color; background-image: url("@{base-image-path}/button_copy.svg"); background-repeat: no-repeat; background-size: 15px auto; background-position: center center; text-indent: -9999px; border: 0; margin: 6px 0 0 6px; padding: 0; position: relative; } .button_copy:hover, .button_copy:focus { &::after { border: 0; background: none; background-color: #333333; color: #f1f1f1; font-size: 1em; position: absolute; padding: .5em; content: 'Click to select all'; right: 0; top: 100%; text-indent: 0; white-space: nowrap; } } /* Keeping this here in buttons instead of in root_grid_block with the details_grid_general style because this file is imported after the other and that will make this top margin take precedence over the other button_copy styles. Otherwise the margin gets overridden */ .details_grid_general__copy_button { margin-top: 4px; } .button_details_grid { cursor: pointer; } .button_filter { position: absolute; bottom: 20px; width: 260px; } .button_credentials { margin-bottom: 2em; } .button_execute { clear: both; } .btn-primary { display: block; float: left; color: #f2f2f2; background-color: #1c9dd7; border: 1px solid #1c9dd7; border-radius: 0; font-size: 16px; min-width: 6.45em; padding: 0 1em; min-height: 32px; cursor: pointer; } .btn-close { background: none; background-image: url(/styles/img/icon-close.svg); background-size: 100%; border: none; overflow: hidden; border: none; overflow: hidden; position: absolute; display: inline-block; width: 15px; height: 15px; right: 10px; top: 10px; padding: 0; }
2024-02-28T01:26:51.906118
https://example.com/article/7405
Q: YouTube Playlist API no longer functioning? According to YouTube's docs: https://developers.google.com/youtube/2.0/developers_guide_protocol_playlists I can go to the following URL to retrieve a list of videos in a youtube playlist: https://gdata.youtube.com/feeds/api/playlists/8BCDD04DE8F771B2?v=2 Works well right? Well no... I've been unable to find a single playlist that actually works besides the one supplied by youtube. I have a playlist here: http://www.youtube.com/playlist?list=PLABD2A8CE079F70FA. It would be logical that if I simply take the ID of the playlist and plug it into the gdata URL, it should return valid data, correct? Nope... doesn't work: https://gdata.youtube.com/feeds/api/playlists/PLABD2A8CE079F70FA It appears that the API doesn't work with any playlist that starts with their new "PLA" format. What do I need to do, to get the youtube API working with the new playlist system? A: Well I figured it out. The playlist API is designed with the OLD Youtube Playlist IDs in mind, the ones without the "PL" at the start. So if you want to retrieve information about the videos in a playlist, you need to drop the PL from the Playlist ID and then it will work fine... Example: https://gdata.youtube.com/feeds/api/playlists/ABD2A8CE079F70FA VS: https://gdata.youtube.com/feeds/api/playlists/PLABD2A8CE079F70FA
2024-04-27T01:26:51.906118
https://example.com/article/6819
CLASSES CANCELLED Governor Christie has declared a state of emergency for New Jersey in advance of Hurricane Sandy which is posing a severe weather threat for our area beginning Sunday late afternoon/early evening through early next week. To ensure the safety of the students, faculty and staff, Felician College has announced it is cancelling classes and will close its offices on both the Lodi and Rutherford campuses on Monday and Tuesday. Administration will continue to monitor the situation as the week progresses. If you have not already done so, we urge you to sign up for the electronic notification system at https://www.e2campus.net/my/felician/ to receive texts, emails and phone calls via your cell phone for updated information. Also, we will update the website and main phone number (201-559-6000) as information is gathered.
2023-08-25T01:26:51.906118
https://example.com/article/8480
Q: Find & Replace Textboxes and Macros Is there a way to find and replace embedded macros in textboxes? Example. I create a lot of textboxes and I assign them macro's say RunBox.1 WalkBox.1 SleepBox.1 now lets say I copy those textboxes. It will have the macro's I assigned in the box earlier in it and I'd like to change .1 to .2 Dim tb As TextBox Dim actionName As String Sub AAA() For Each tb In ActiveSheet.TextBoxes actionName = tb.OnAction actionName = Replace(actionName, "CGSF", "KBTUGSF") tb.OnAction = actionName Next End Sub This isn't working not quite sure what I need to do. A: Change the textbox's OnAction property. Dim tb as TextBox Dim actionName as String For Each tb In ActiveSheet.TextBoxes actionName = tb.OnAction actionName = Replace(actionName, ".1", ".2") tb.OnAction = actionName Next
2024-06-03T01:26:51.906118
https://example.com/article/3045
Concentrations of the des-F(6)-quinolone garenoxacin in plasma and joint cartilage of immature rats. Garenoxacin is a des-F(6)-quinolone with a broad antibacterial spectrum, which has previously been shown to exhibit low chondrotoxicity in juvenile dogs compared with several other quinolones. A study was performed to determine whether the low chondrotoxicity observed in immature rats following garenoxacin treatment could be explained by poor penetration into cartilage tissue. Garenoxacin was orally administered to immature (4- to 5-week-old) Wistar rats as a single dose-or as doses given on 5 consecutive days-of 0 (vehicle), 200, 400, and 600 mg/kg ( n=5 per dose level). Additional groups of rats were orally dosed with 600 mg/kg ofloxacin and ciprofloxacin. One knee joint of each animal (24 h after the last dose) was studied histologically after staining with Toluidine blue. The pharmacokinetics of garenoxacin in plasma (200, 400, and 600 mg/kg) and in knee joint cartilage (200 and 600 mg/kg) was assessed in separate groups of rats ( n=55 per dose level). Concentrations of garenoxacin in plasma and cartilage were measured using an HPLC method. No signs of chondrotoxicity were observed in the immature rats treated with garenoxacin or ciprofloxacin for 5 days at the doses investigated in this study. However, ofloxacin was found to induce cartilage lesions that were typical of those seen for this quinolone. Systemic exposure to garenoxacin increased as a function of dose. Across dose and study day, mean garenoxacin plasma maximum concentration ( C(max)) and area under the concentration-time curve (AUC(tau)) values were in the range 12-26 mg/l and 33-133 mgxh/l, respectively. Garenoxacin C(max) and AUC were similar on days 1 and 5, within each dose, indicating the absence of accumulation or reduction in the systemic exposure. Values determined for T(max) (0.25-1.0 h) and T(1/2) (3.8-6.4 h) of garenoxacin in plasma did not vary with dose or study day. Although peak garenoxacin concentrations in cartilage were between equal levels to and 2.5-fold of those found in plasma, the observed ratios were somewhat lower than those reported for other quinolones, e.g. ofloxacin or sparfloxacin. Since garenoxacin appeared to be well absorbed following oral administration and concentrations in cartilage tended to be higher than those in plasma, it is unlikely that the low chondrotoxicity in comparison with other quinolones is explained by differences in the pharmacokinetics of these compounds.
2023-08-21T01:26:51.906118
https://example.com/article/6384
The thoughts and experiences of a man who enjoys challenging arts, unplanned wanderings and intelligent conversations. 20 January 2013 Kew Gardens in the snow I do not normally go to Kew Gardens two weeks in a row but then they do not normally lay on snow the week after I have been. And snow changes everything. I was more organised this time (that's not that hard) and arranged a walk with friends that took us though Kew Gardens and then on to a lunch at one of the riverside pubs at Strand-on-the-Green. We all met at Lion Gate at 11am and it was like walking in to Narnia. The familiar path looked anything but familiar, despite the presence of the Pagoda. We tramped towards the Japanese Garden where the careful geometry of the stones was obliterated by the inconsiderate snow. Descending from the hillock we entered one of the long straight paths the dissect Kew. The main routes have names, like Cedar Vista and Cherry Walk, but this is just a grassy gap between two straight lines of trees and hoes unnamed. The tarmacked Holly Walk parallels it off to the left but this is a far more attractive route. We passed the Temperate House and arrived at the little garden below King William’s Temple on the North side. There we were greeted by several snowmen, a snowcat and this delightful Robin. His red breast looking even more colourful than usual against the white on the snow and the dullness of the day. He looks quite content in weather that forced the rest of us to dig-out our ski gear. The path from there curves gently to pass behind the Palm House which still managed to look magnificent despite the snow-laden air sucking all the colour out of the picture. The roses in the foreground had lost everything except their spindly branches that twisted confusingly. Syon Vista runs from the Palm House all the way to the river. Even in bright sunshine that looks a long way and in the snow the distance was hidden completely giving you no idea of where the path leads and giving you all the more reason to try it. One of the biggest pluses of the snow was the impact on the semi-circular path that runs behind the Palm House to form the border of the Rose Garden. This path is lined with tall neatly trimmed bushes and I had been trying to take a reasonable picture of them for years but had always been thwarted by the thick band of grey tarmac running between them. The path is ugly and is so wide that it dominates any picture that tries to show how the bushes are arranged. The snow neatly solved that problem. By then the walk was almost over. There was just time for a coffee in the White Peaks Cafe (the Orangery was closed) before leaving the gardens at Elizabeth Gate and heading over Kew Bridge to Strand-on-the-Green. This was one of the best walks in Kew Gardens that I have ever had, it ranks alongside the plane-free day, and I would love to do it again. More snow please.
2023-08-12T01:26:51.906118
https://example.com/article/8070
Pneumatic cystolithotripsy versus holmium:yag laser cystolithotripsy in the treatment of pediatric bladder stones: a prospective randomized study. Holmium:yttrium-aluminum-garnet (Ho:YAG) laser and Pneumatic cystolithotripsy (CL) are the most widely practiced transurethral procedures for treatment of pediatric bladder stones. The aim of our study was to compare the safety and efficacy of Ho:YAG laser CL and pneumatic CL in the treatment of pediatric bladder stones. In this prospective randomized study from January 2012 to April 2015, 25 male children with bladder stones <3 cm were consecutively randomized into two treatment groups: group A (pneumatic CL) consisted of 13 patients and group B (Ho:YAG CL) consisted of 12 patients. Operative time, duration of stay and complications were recorded. Patients were followed up prospectively. The mean operative time was significantly lower in group B (25.6 vs. 31.6 min) for stones <1.5 cm (p = 0.040). However, for stones between 1.5 and 3 cm in size, the mean operating times were similar in both the groups (49.4 min in Ho:YAG vs. 44.6 min in pneumatic, p = 0.40). There was no difference in complication rates and hospital stay in both the groups. No major complications were seen in both the groups. We found that Ho:YAG CL was more effective than pneumatic CL for treating bladder stones smaller than 1.5 cm.
2023-08-28T01:26:51.906118
https://example.com/article/5073
Shropshire schools bite the big apple in New York Students and staff from two Shropshire schools got a bite of the Big Apple, visiting New York over half term. Subscribe to our daily newsletter Pupils took in Times Square, the World Trade Centre memorial and Ellis Island during their week-long trip The week-long trip for the Marches School in Oswestry and Sir John Talbot's in Whitchurch took in Times Square, the World Trade Centre memorial and Ellis Island. Students got a close-up look at some of their study topics, and also heard the testimony of a police officer from the 9/11 attacks. The trip was arranged through the Marches Academy Trust, which oversees both schools. Mrs. Alison Pearson, associate headteacher of the Marches School, commented: “The trip was a hugely beneficial educational trip for the students and it allowed them to gather first-hand knowledge for their studies. "We here at the Marches Academy Trust pride ourselves on giving the students the opportunity to attend trips in local, national and international locations, to allow all students the opportunity to attend." The school delegates also visited the Statue of Liberty and the Brooklyn Bridge. Mr. David O’Toole, headteacher of Sir John Talbot’s School, added: “This was a fantastic trip and it was wonderful to combine with the Marches School to take the students on a cross-trust trip. "It took the students out of their comfort zone and educated them in the history of one of the most recognisable places in the world."
2023-10-31T01:26:51.906118
https://example.com/article/4458
Q: UITableView disable "delete" confirmation This is similar to questions that are asking how to swipe/delete without confirmation: UITableView swipe to delete with no confirmation My tableview has cells with UITableViewCellEditingStyleDelete set. When the tableview is in editing mode, the cells display a red circle icon with a '-' inside. To delete the cell, the user taps the red circle, and a Delete button appears. The user must then tap Delete which triggers tableView:commitEditingStyle:forRowAtIndexPath:. Some of my rows support UITableViewCellEditingStyleInsert. In this scenario the cells display a green circle icon with a '+' inside. Tapping the circle invokes tableView:commitEditingStyle:forRowAtIndexPath: immediately. I'd like to have tableView:commitEditingStyle:forRowAtIndexPath: invoked immediately when the user taps the initial red-circle icon. That is, no delete-button step. Any ideas? Is there a way to provide custom editing controls that slide in from the left like delete/insert? If so, perhaps I could use this mechanism? A: I came up with one solution, but it risks rejection. (Does checking for an undocumented class by classname constitute a sdk-agreement violation?) Perhaps someone can improve on this? Basically, in the context of my custom UITableViewCell, I watch for the delete button (not a UIButton, unfortunately) to be added, then invoke it's UIControlEventTouchUpInside action. With a bit of delay so the animations work out: - (void) addSubview:(UIView *)view { if ([NSStringFromClass([view class]) isEqualToString:@"UITableViewCellDeleteConfirmationControl"]) { UIControl* c = (UIControl*)view; NSArray* actions = [c actionsForTarget: self forControlEvent: UIControlEventTouchUpInside]; [self performSelector: NSSelectorFromString( [actions lastObject] ) withObject: view afterDelay: .25]; return; } [super addSubview: view]; }
2024-04-09T01:26:51.906118
https://example.com/article/6444
Long-term follow-up of Ewing's sarcoma of bone treated with combined modality therapy. Between 1968 and 1980, 107 consecutive patients with Ewing's sarcoma of bone were entered on three sequential combined modality treatment protocols (S2, S3, S4) at the National Cancer Institute (NCI). Protocol treatment involved 4 cycles of two drug [cyclophosphamide (CTX) and vincristine (VCR)] or three drug [CTX and VCR with either actinomycin-D (ACT-D) or doxorubicin (ADR)] regimens and local irradiation (50 Gy) to the involved bone. Eighty patients presented with localized disease and 27 patients had metastatic disease at presentation, including 11 patients with multiple metastatic sites. With a median potential follow-up of greater than 15 yrs (range 8-20 yrs), 28 pts (27%) remain alive. Disease-free (DFS) and overall survival (OS) decreased most rapidly during the initial 5 yrs of follow-up with 5-yr DFS of 29% and 5-yr OS of 39%. Only two patients with metastases at presentation are long term (greater than 5 yr) survivors. For localized disease patients, the 2, 5, 10, and 15 yr DFS and OS are 52%, 37%, 35%, and 33% DFS and 68%, 51%, 39%, and 34% OS, respectively. Eleven patients relapsed locally as the first site of failure. Using the Cox proportional hazards model, four significant variables for both DFS and OS were recognized, including metastatic disease at presentation, age greater than 25 yrs, high LDH in localized disease patients, and central primary tumor in localized disease patients in decreasing order of significance. We conclude that a majority of these patients with Ewing's sarcoma of bone relapsed within 5 yrs of presentation although late relapse (5-15 yrs) did occur. Local failure occurred in 20% of patients using these combined modality treatments but had no impact on overall survival.
2024-02-25T01:26:51.906118
https://example.com/article/5325
// Copyright 2018 The Chromium Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. import 'dart:convert'; import 'dart:async'; import 'package:http/http.dart' as http; import '../key.dart' show key; main() { getPlaces(33.9850, -118.4695); // Venice Beach, CA } class Place { final String name; final double rating; final String address; Place.fromJson(Map jsonMap) : name = jsonMap['name'], rating = jsonMap['rating']?.toDouble() ?? -1.0, address = jsonMap['vicinity']; String toString() => 'Place: $name'; } Future<Stream<Place>> getPlaces(double lat, double lng) async { var url = 'https://maps.googleapis.com/maps/api/place/nearbysearch/json' + '?location=$lat,$lng' + '&radius=500&type=restaurant' + '&key=$key'; // http.get(url).then((res) => print(res.body)); var client = new http.Client(); var streamedRes = await client.send(new http.Request('get', Uri.parse(url))); return streamedRes.stream .transform(UTF8.decoder) .transform(JSON.decoder) .expand((jsonBody) => (jsonBody as Map)['results'] ) .map((jsonPlace) => new Place.fromJson(jsonPlace)); }
2023-08-07T01:26:51.906118
https://example.com/article/6504
# Navier-Stokes and tracer conservation equations Oceananigans.jl solves the incompressible Navier-Stokes equations and an arbitrary number of tracer conservation equations. Physics associated with individual terms in the momentum and tracer conservation equations --- the background rotation rate of the equation's reference frame, gravitational effects associated with buoyant tracers under the Boussinesq approximation[^1], generalized stresses and tracer fluxes associated with viscous and diffusive physics, and arbitrary "forcing functions" --- are determined by the whims of the user. [^1]: Named after Boussinesq (1903) although used earlier by Oberbeck (1879), the Boussinesq approximation neglects density differences in the momentum equation except when associated with the gravitational term. It is an accurate approximation for many flows, and especially so for oceanic flows where density differences are very small. See Vallis (2017, section 2.4) for an oceanographic introduction to the Boussinesq equations and Vallis (2017, Section 2.A) for an asymptotic derivation. See Kundu (2015, Section 4.9) for an engineering introduction.
2023-09-20T01:26:51.906118
https://example.com/article/6432
Conoble, Mossgiel Conoble, New South Wales is a civil parish and a rural locality of Far West, New South Wales. Locality Conoble is located at 32º 53' 23.96" S 144º 46' 9.6" E, 778km from Sydney, west of the nearest town, Roto but within the boundary of the locality of Ivanhoe, New South Wales. Conoble is between the Lachlan and Darling Rivers in New South Wales, Australia. It is located within the Central Darling Shire local government area and is on the Broken Hill railway line. The parish and locality are within the traditional lands of the Wangaibon people, and today are within in Central Darling Shire. Geography The Australian Bureau of Meteorology classify this area as the Hot Dry Zone (with cooler winters). Places in this zone can be very hot in the summer months while in the winter, nights can be very cold. Because of the hot and arid climate there are no towns within Conoble although a now disused Railway platform was operated from 1919 until 1986. the nearest railway station is now at Ivanhoe, 50 kilometers to the west. The ephemeral Conoble Lake is a main feature of the landscape. Conoble is 97.2 meters above Sea level. References Category:Far West (New South Wales)
2024-07-26T01:26:51.906118
https://example.com/article/6778
This invention relates generally to the sealing of containers and more particularly to the application of a recessed membrane seal to a container of the type used to hold food products. Food containers are typically sealed by a flexible membrane type seal which keeps the product clean, protects it from bacterial contamination, prevents it from being spoiled or otherwise harmed by air and foreign matter, keeps moisture either in or out, and also provides evidence of any tampering with the product that has taken place. The seals that are most often used are flat membranes which extend across the top of the container and are sealed to its rim. A replaceable lid normally covers the seal. This type of membrane is level with the top of the container and is not recessed below the container rim. Membranes that are recessed into the container are used less frequently than flat membranes even though they are more advantageous for many types of products. The container is usually underfilled somewhat because of the difficulty of achieving a complete fill and also because liquid and semi-liquid products and even dry products can spill out of a completely filled container during subsequent handling before the seal can be applied. If the container is less than full and a nonrecessed membrane is applied, a considerable amount of air is entrapped in the top of the container and can degrade and otherwise damage the product. For example, any foods containing oils such as butter can become rancid if exposed to entrapped air. A recessed membrane also allows the lid to have a recessed top surface. This facilitates stacking and convenient display of the containers because the recessed surface of the lid provides space for stacking lugs. Despite these advantages, recessed seals are not as popular as flat seals, primarily because of the expense and difficulty involved in forming, applying and sealing a recessed membrane. The recessed membranes that are used at present are preformed as individual pieces which are subsequently applied to the container and sealed in a separate operation. The membrane is usually formed off line on a separate machine, and this requires additional machinery, added factory space and extra manufacturing operations, all of which contribute to the overall cost. There are some recessed seal machines which preform the membrane seal from a continuous strip on the sealing machine itself. However, whether the membrane is formed on a separate machine or on the sealing machine itself, it must be made from a material which is stiff enough to hold its shape while the membrane is being applied to the container and sealed. Thin and/or non-ductile film materials cannot be used because of their inability to retain their preformed shape. Another type of recessed seal currently in use is a flat disc membrane which is applied and sealed to an upwardly facing shoulder formed on the interior wall of the container at a location recessed below the rim. Shoulders of this type are practical only on plastic containers and are normally not used on paper or metal containers. Again, it is necessary for the membrane to be relatively stiff so that it can hold its flat shape until it is sealed to the shoulder. Thus, the recessed membranes that have been used in the past are all relatively stiff because they must hold their shape until they have been sealed to the container. Consequently, thin films have not been used even though they are more desirable in a number of respects such as cost and performance. The stiffer materials are generally more costly and more difficult to remove and sometimes even require the use of a knife or other tool. Tear marks and grooves can be formed on the membrane to permit removal without tools, but this increases the manufacturing cost and machine complexity. Some seals require tearing in several places for removal, and this increases the inconvenience to the consumer. Pull tabs are for the most part impractical because they present additional difficulties in handling of the preformed membrane. The stiff construction of the recessed membranes currently in use also generally eliminates transparent materials. For a number of reasons, it is desirable to provide the lid with a window having a transparent patch to keep out dirt which permits the contents to be viewed while the lid remains in place on the container. This increases the sales appeal of the product and eliminates the temptation for consumers to remove the lid so they can visually inspect the contents. Increased sanitary protection and enhanced tamper evident safeguards are also provided with this type of arrangement. However, it requires that the membrane be transparent and is thus not feasible with recessed seals formed by stiff opaque membranes.
2023-12-11T01:26:51.906118
https://example.com/article/3171
Indicators Related links Share Print version ISSN 1516-3180 Sao Paulo Med. J. vol.113 no.2 supl.0 São Paulo May 1995 http://dx.doi.org/10.1590/S1516-31801995000700012 ABSTRACT Ischemic heart disease and diabetes mellitus: a statistical analysis Suzana Alves de Moraes; Jose Maria Pacheco de Souza Several authors have described diabetes mellitus (DM) as an independent risk factor for ischemic heart disease (IHD). The objective of this study was to test the hypothesis of the association of DM and IHD. Adjustment of the possible variables of confusing and/or modifying effects was performed in the present study. The study also assessed the existence of a doseresponse gradient for the following variables: — duration of DM; — duration of elevated blood pressure; — duration of hypercholesterolemia; — duration of smoking habits; — number of cigarettes per day; — duration of menopause. The study was a case-control type. The target population was made of subjects aged 30 to 69 years of both genders and residents of São Paulo. The study began March 1993 and it ended in February 1994. Patient sample was 833 subjects. Statistical analysis employed was multivariate logistic regression. Raw data analysis indicated DM as a risk factor in a statistically significant way for the emergence of IHD (odds ratio = 3.7; confidence interval = 1.8 - 7.6). With the inclusion of variables such as family history of heart disease, smoking habits, hypercholesterolemia and family history of hypertension in the testing model, a non-significant relationship emerges (odds ratio = 1.4; confidence interval = 0.6 - 2.3). This change might be explained by these four variables known to be associated with IHD. In the next step, the study tried to segregate the cluster of individuals not belonging to any of the groups above. This was done to determine the degree of strength in the association of DM with a minimal degree of interference by other variables. The greatest shortcoming is the small number of subjects with DM (92), which is only 11% of the entire sample.
2024-02-28T01:26:51.906118
https://example.com/article/2158
The Deacon's Bench Ruling: “under God” is constitutional For some reason, this bit of news didn’t get much attention, but it’s worth noting: The Pledge of Allegiance, with its inclusion of the words “under God,” is constitutional, a federal appeals court ruled on Thursday (March 11), reversing a previous ruling. The 2-1 ruling answers a challenge by California atheist Michael Newdow, who argued that the use of the pledge in a Northern California school district — where children of atheists had to listen to others recite it– violated the First Amendment’s clause prohibiting the establishment of religion. Advertisement The “students are being coerced to participate in a patriotic exercise, not a religious exercise,” the 9th U.S. Circuit Court of Appeals ruled Thursday. “The Pledge is not a prayer and its recitation is not a religious exercise.” In 2002, the 9th Circuit Court ruled that the use of the words “under God” in the pledge violated the Constitution. The current court called that decision “erroneous.” The Supreme Court later dismissed the earlier Newdow suit, sidestepping the church-state issues by finding he did not have standing to sue. “The 9th Circuit today failed to uphold the basic principle found within the first ten words of the Bill of Rights … that the government is required to show equal respect to the lawful religious views of all individuals,” Newdow said Thursday. Advertisement Kevin J. “Seamus” Hasson, founder and president of the Becket Fund for Religious Liberty, who argued for the school district, said the court “finally stood up” for the Pledge of Allegiance. In a scathing and lengthy dissent, Judge Stephen Reinhardt said the words “under God” have an “undeniably religious purpose” and “we have failed in our constitutional duty as a court.” In a separate decision, also issued Thursday, the 9th Circuit dismissed Newdow’s challenge to the words “In God We Trust” on U.S. currency. Under the precedent set West Virginia State Board of Education v Barnette (1943), students cannot be compelled to say the Pledge of Allegiance. So Mr. Newdow could have had his daughter leave the classroom when the Pledge is said. In the scheme of state/religion issues, I don’t get too worked up over these two. They’re sort of minor and a bit silly even if the underlying debate is not. I get more upset when religious agendas in the public sphere target my ability to live by my own conscience or try to enforce religion (and ignorant dogmas) on school curricula, etc. The truth is, the insertion of God into the pledge and money are clearly not organic to the founder’s intent. They were put there by politicians pandering to political interests during wartime. I’m rarely at events where the pledge is delivered anymore, and when I am, who’s to tell me who God is anyway. It doesn’t specify the Judeo-Christian God in the text. I can just as easily pay my respects to Cernunnos. As to the money, clearly we put more trust in the benevolence of China and endless debt than we do God. I’ve no doubt the dominionists are doing their end-zone dance over this “victory”, but I would pose to them this question: what does it say about the inherent strength of your faith if it requires state coercion (even nominal coercion), to shore it up? “So Mr. Newdow could have had his daughter leave the classroom when the Pledge is said.” The problem with this being the good Christian students who would see her leaving and harass the dickens out of her for it. That has been one of the factors behind similar lawsuits in the past…the treatment of those students by the majority. Strange how it is that so many who proclaim God so loudly so quickly turn to the Devil for advice on how to treat those who disagree with them. This sort of nonsense is what you get when you enshrine an error (#55 in Blessed Pope Piux IX’s “Syllabus of Errors”). Whenever an error is elevated to the status of a foundational principle, reason is out the door. Atheists and people of other beliefs (JWs for example) have always had the option of not participating in the Pledge. I don’t recall any of them declining payment in US currency, though. By the way, in spite of the way many people say the Pledge, there is NO COMMA between “One Nation” and “Under God”. It is a single phrase. What a silly people we are (perhaps we have too much time on our hands – I must or I wouldn’t be respondiing to this debate)to be offended because some people believe in a supreme being and wish to recognize this great and unique republic of freedom as a gift from that supreme being. There has never been a nation – that we know about – in the history of the world where the levels of freedom and prosperity have been enjoyed. I do not believe this was the result of social evolution. I don believe that any one or group of people ever had the ability to creat such an amazing system of government as we enjoy. There have been many who thought they had the wisdom to create a utopia (America may not be a utopia but it was never intended to be. It was intended to be a land of opportunity where hard work was to be rewarded . . . ): people with names like Hitler and Stalin and hundreds of others connected to their wisdom. No! Man never had the ability to creat such a system of freedom. Cohercion? You must believe in the boogy man also. John Barba: My question exactly…”which God” or whose God? The God of the Jews, the God of the Muslims, the God of the Catholics, the Protestant God… just whose God would that be referring to? And just why in a country which fortunately doesn’t have a requirement to be of a certain religion and whose citizens can be no religion if they choose, should there be the words “under God” inserted into a pledge of loyality to our country? Pledging loyality to my country has nothing to do with a god. When reciting the Pledge, I do not say those 2 words. IF the words were removed, those that felt the need could insert them back when the said it. Judge Reinhardt needs to be impeached for the horrendous liberal ruling he has made. He is anti-american. He is a activist Judge. Throw his ass out. Impeach him for bad behavior.He is a cancer to the 9th circuit. I hope he suffers from obama case , oh , he wont have to take it; he gets off. By submitting these comments, I agree to the beliefnet.com terms of service, rules of conduct and privacy policy (the "agreements"). I understand and agree that any content I post is licensed to beliefnet.com and may be used by beliefnet.com in accordance with the agreements. Previous Posts This blog is no longer activeThis blog is no longer being actively updated. Please feel free to browse the archives or: Read our most popular inspiration blog See our most popular inspirational video Take our most popular quiz ... Big day in the Big Easy: 10 new deaconsDeacon Mike Talbot has the scoop: 10 men today were ordained as Permanent Deacons for the Archdiocese of New Orleans. This group of men was formally selected on the day the evacuation of New Orleans began as Hurricane Katrina approached. The ...
2023-09-14T01:26:51.906118
https://example.com/article/4402
Philadelphia area restorative dentistry at Drew A. Shulman, DMD, MAGD can produce natural-looking results. If you have a damaged or missing tooth, we can help. Our highly skilled team will assess your need for a crown, bridge, implant or other procedure to restore or improve your smile. Our goal is to provide quality dental care for your life-long oral health. Don't let untreated dental problems get you down. Rebuild your confidence with a beautiful new smile. From simple treatments that make a big difference, to more extensive work, unveiling the smile you were meant to have can have profound life-changing effects. Serving the Philadelphia, PA area and offering cosmetic dentistry, Dr. Shulman can help you develop an affordable treatment plan you'll feel good about. A negative self image can be detrimental to many facets of your life. Philadelphia area dentist Dr. Drew Shulman understands the positive life-changing power that a healthy and beautiful smile can bring to you. Here at Drew A. Shulman, DMD, MAGD, we don't want you to be embarrassed any longer. Why not take your smile - and even your life - to a new level of self-confidence and beauty? Philadelphia area cosmetic dentist Drew Shulman, D.M.D. has extensive experience creating beautiful smiles. They're one of the first things people notice about you. Our professional team will be happy to discuss your aesthetic dentistry options. The attractive results you'll get from Drew A. Shulman, DMD, MAGD can change your life! Signature Dental of Bucks CountyAppointments: (215) 443-7373 David Valen D.M.D. Signature Dental of Bucks County David Valen, D.M.D. is proud to be a popular Warminster area Lumineers® dentist. If you have sensitive teeth and want pain-free dental veneers, we can help. Our highly trained team has extensive experience with this quick and easy procedure. We'll help you transform from feeling self-conscious to feeling confident about your bright new smile. Signature Dental of Bucks County is a trusted Warminster area dental implants practice providing natural-looking, comfortable tooth replacement. We make it our mission to use a gentle touch during the process. We hold ourselves to the highest standards to replace missing teeth and provide you with natural-looking results. Our goal is to restore your confidence and your bright, healthy smile. Dr. David Valen at his Warminster dentistry practice is pleased to offer you a free smile analysis if you are 18 years old or older. Our friendly and professional team will make you feel comfortable and welcome. We'll answer your questions and assess your dental needs to achieve long term oral health. Our goal is to make your visit enjoyable, and to give you the smile you deserve. Signature Dental of Bucks County is a trusted Warminster area provider of Invisalign® for teens provider. We know that as a parent, the oral health and happiness of your teenager is important. We're here to serve your family's needs, and ensure that your teens get the best results from their Invisalign® clear braces. You'll be thrilled with your teenager's straight teeth and confident smile. David Valen, D.M.D. is proud to be a trusted Warminster area Zoom!® teeth whitening dentist. Our patients love the short amount of time the tooth whitening treatment takes as much as they love the results. You'll be able to relax in our comfortable surroundings. In just about an hour, you'll have a sparkling white smile! Request an Appointment With Signature Dental of Bucks County Stephan A. Inker, D.D.SAppointments: (215) 335-3339 Stephan Inker D.D.S. Stephan A. Inker, D.D.S Philadelphia area dentist, Dr. Stephan Inker has extensive experience providing dental phobia treatments that help patients ease their dental anxiety. If fear of the dentist is keeping you from getting the quality dental care you need, we can help. You're not alone. Our trained team works with all kinds of anxiety and stress. We'll help you get the dental treatment you need in a way that makes you feel comfortable. If you're looking for dentures that look great and last, look no further than Stephan A. Inker, D.D.S located in the Philadelphia, PA area. Stephan Inker, D.D.S. will assess your needs and fit you with durable, comfortable, natural-looking dentures - at a price you can afford. Our dedicated team uses state-of-the-art materials and techniques for stability and longevity. You'll enjoy the comfort and confidence of natural-looking teeth. Philadelphia area Invisalign® dentist Stephan Inker, D.D.S. is happy to provide your new clear braces. At Stephan A. Inker, D.D.S, we want you to have the straight teeth and beautiful smile you desire. We're happy to assess your needs create your individual treatment plan for braces. You may be able to have your new Invisalign® aligners sooner than you think! Schedule a Checkup with Your Cosmetic Dentist Maybe the reason we find an eight-year-old's gapped teeth smile so adorable is...we know it's not permanent. Soon the grown-up teeth will be poking through, clean and new. All part of the mouth's natural evolution. It's not often that nature gives us a second chance, but when it comes to teeth it does just that. For many children it can be a wake-up call to start taking dental hygiene seriously. As the old saying goes, "God gives you two sets of teeth, but you have to buy the third." It may be time though to change that outdated piece of wisdom to: "Teeth are like friends...ignore them and their needs and they'll go away. Be kind to them and they'll stick with you forever." That's why regular hygiene appointments and a gum disease examination are so important. Barring injury, there's simply no reason why most of us should be missing teeth as we grow older. Call it a "10,000 smile checkup," insuring all your parts are in good working order. Once your cosmetic dentist knows that your teeth are healthy and the gums are sound, he or she can do a little restorative dentistry to evolve your smile to an even higher level. Things like dental bonding to close the gaps…or invisible dental crowns or veneers for front teeth…even teeth bleaching for a truly dazzling and beautiful smile. Give your cosmetic dentistry professional a call. He or she can help you see to it that your mouth does the job it was intended to for a lifetime. And look drop-dead sensational at the same time! +Jim Du Molin is a leading Internet search expert helping individuals and families connect with the right dentist in their area. Visit his author page. Cosmetic Dentistry for a Perfect Smile In most cosmetic dentistry practices, good health and sound oral function are their primary goals. But these days, both can be achieved with a third factor in mind, good looks. Good looks are all around us. In consumer magazines, TV, media, politics, and business. Both men and women are flashing bright, near perfect smiles. It's a pleasure to see. We're not all born that way, and they probably weren't either. Dental makeovers have contributed to a large part of the self-esteem of models, movie stars, and recently, the grocery clerk or the grandmother next door, who seek cosmetic dental care. Surprisingly, most tooth restoration procedures are fairly conservative. That is, removal of healthy enamel is kept to a minimum, or dispensed with altogether. Teeth bleaching, tooth bonding and contouring are quick, easy, and fairly inexpensive. Porcelain veneers lend new form and youthfulness to front teeth. Tooth-colored fillings can replace discolored amalgams. A new denture can restore a more youthful appearance. The choices are yours. Notice the people you know who are proud of their teeth. They smile more often. Great teeth build self-confidence. Most people respond more readily to an attractive smile in a very positive way. The psychology is simple, the impact great. We are lucky to have new materials and techniques that make a beautiful smile within everyone's reach. Take advantage of cosmetic dentistry, for yourself and the people around you. Give your cosmetic dentist a call today to find out how your smile can benefit from today's technical innovations. +Jim Du Molin is a leading Internet search expert helping individuals and families connect with the right dentist in their area. Visit his author page.
2023-12-07T01:26:51.906118
https://example.com/article/1924
Progressive lawmakers and advocacy groups are sounding alarm on Monday ahead of the U.S. House's vote on a financial deregulatory bill dubbed the "Bank Lobbyist Act." Declaring her opposition, Rep. Jan Schakowsky (D-Ill.) tweeted, "We need to #ProtectConsumers, not big banks." The legislation is S. 2155, officially titled the “Economic Growth, Regulatory Relief, and Consumer Protection Act.” It already passed the Senate in March with the help of 16 Democrats and Sen. Angus King (I-Maine), and praise from big banks. The House is expected to vote on it Tuesday. Summing up the dangers of the legislation, Public Citizen tweeted: The #BankLobbyistAct would: -Allow banks to engage in the kind of risky behavior that caused the 2008 financial crash -Make taxpayer-funded bailouts more likely -Exempt 25 of the nation’s largest banks from needed oversight Don’t let the House pass it: https://t.co/UaCFqIK9MZ — Public Citizen (@Public_Citizen) May 20, 2018 The advocacy group also joined dozens of organizations including the National Consumer Law Center and the NAACP on Friday in sending a letter (pdf) to representatives urging them to "not roll back consumer protections under the Dodd-Frank Act that have helped and continue to help millions of people across the country." That letter came less than a month after scores of other groups called on representatives to oppose the bill, noting that it also would enable racially discriminatory lending practices by weakening reporting requirements under the Home Mortgage Disclosure Act (HMDA). Recognizing such threats, members of the Congressional Progressive Caucus have been taking to social media to announce their opposition to the bill they say sets the stage for another financial crisis. SCROLL TO CONTINUE WITH CONTENT Never Miss a Beat. Get our best delivered to your inbox. Rep. Keith Ellison (D-Minn.), for example, tweeted that the bill would "roll back some of the protections against Wall Street greed that we put in place after the financial crash. I will do everything I can to see this #BankLobbyistAct defeated." Tomorrow the U.S. House is expected to vote on S. 2155, a bill to roll back some of the protections against Wall Street greed that we put in place after the financial crash. I will do everything I can to see this #BankLobbyistAct defeated. pic.twitter.com/2FJ0M7eFH0 — Rep. Keith Ellison (@keithellison) May 21, 2018 Rep. Pramila Jayapal (D-Wash.) also assured constituents of her opposition, stating: "Our last financial crisis was triggered by Wall Street fraud, and Congress must not put taxpayers at risk of bailing out megabanks yet again, nor allow banks to hide evidence of racial discrimination." I’m voting NO on S. 1255, the #BankLobbyistAct. Our last financial crisis was triggered by Wall Street fraud, and Congress must not put taxpayers at risk of bailing out megabanks yet again, nor allow banks to hide evidence of racial discrimination. https://t.co/YvNX4DmtaG pic.twitter.com/vhuN9WPBpL — Rep. Pramila Jayapal (@RepJayapal) May 17, 2018 With the House voting on an unchanged version of the Senate bill, passage in the lower chamber means there will be no extra step before it heads to President Donald Trump, who's indicated (pdf) his support. With the hourglass then running out before the bill could become law, Indivisible's Chad Bold urged constituents to take to the phones to pressure representatives to vote no.
2024-03-29T01:26:51.906118
https://example.com/article/5476
When then-Sen. Barack Obama filibustered Justice Samuel Alito’s nomination to the Supreme Court, he was breaking an informal “rule” that said barring some extraordinary circumstance, a U.S. senator should vote for a nominee who was competent and qualified. The same could be said for then-Senate Majority Leader Harry Reid, who triggered the nuclear option, ending the filibuster for most presidential nominations. And, of course, after the death of Justice Antonin Scalia, it wasn’t exactly benevolent of Mitch McConnell to refuse to consider any Obama Supreme Court nominee before the 2016 presidential election (although, just as Obama’s decision to filibuster Alito probably helped his career, McConnell’s maneuver was most certainly a shrewd political move). Democrats understandably feel cheated and aggrieved. It is one thing not to have Merrick Garland seated, but it’s another to win the popular vote and then watch two conservative Supreme Court justices be put on the Court. If the roles were reversed, I sincerely doubt that McConnell and others would be saying, “Well, it’s all about power. and they are playing the game to the best that they are able.'” When the ends always justify the means, then the means become more and more egregious in the service of the ends. The most common retort when this is pointed out is: well, what about Robert Bork? And that’s all well and good. Maybe Democrats should rethink the way they handled that nomination. “ Nevertheless, replacing Justice Kennedy will come with a cost. Things are about to get even uglier. ” And maybe Harry Reid should rethink why he did away with the filibuster. But at some point, this game of one-upmanship, turned mutually assured destruction, becomes unsustainable. “You’ll regret this, and you may regret this a lot sooner than you think,” then-Minority Leader Mitch McConnell warned when Reid went nuclear. Well, that works both ways. What (aside from a desire to put country ahead of party) is stopping the next Democratic president with a Democratic Senate majority—say, Elizabeth Warren—from simply packing the Supreme Court? There’s nothing written in stone that says there has to be nine Supreme Court justices any more than there is anything saying you need 60 votes to confirm a judge, or that the Senate should have to vote on—or even consider—a president’s high court nominee. Granted, after Franklin Roosevelt tried to pack the court in 1937, the blowback served to chasten future presidents. But so many of our World War II assumptions have recently been questioned with impunity. Why not this one? This is something that all Americans, but especially conservatives, should worry about. In their terrific book Why Democracies Die, Harvard professors Steven Levitsky and Daniel Ziblatt talk a lot about something called “forbearance” (which, depending on your translation, is one of the “fruits of the Spirit”) that is necessary for the survival of liberal democracy. “What it takes for those institutions to work properly,” Levitsky told NPR back in January, “is restraint on the part of politicians. Politicians have to underutilize their power. And most of our politicians, most of our leaders have done exactly that. That's not written down in the Constitution.” But in today’s world, that’s all out the window. As Miguel Estrada and Benjamin Wittes observe in The Washington Post, “The only rule that governs the confirmation process is the law of the jungle: There are no rules. There is no point in pretending otherwise, as much as many of us wish it were not so.” Now, I am not suggesting that Donald Trump should wait until after the midterms to nominate a replacement—or that he should nominate a moderate or a liberal. Quite the contrary, I’m remarking on the fact that we have arrived at a point where—because of the high stakes and past transgressions—the normal and appropriate exercise of power is still seen by half of the country as an outrage. Think of it. There’s nothing wrong with Justice Kennedy deciding to retire, and there’s nothing wrong with President Trump nominating a conservative to replace him. Really, on the merits, this development shouldn’t be generating so much angst. As Philip Bump notes, whoever replaces Kennedy—almost certainly a staunch conservative—would have voted the same way Kennedy did this term on the vast majority of cases. Nevertheless, replacing Justice Kennedy will come with a cost. Things are about to get even uglier. The understandable reaction of Democrats will be to seek vengeance. This is a vicious cycle, and there’s no telling where (or if) it will end. The presidency of Donald Trump has tested our institutions, but when it comes to how we treat Supreme Court nominations, these norms were eroding long before Trump descended that escalator. Both sides want to win this race to the bottom.
2024-05-15T01:26:51.906118
https://example.com/article/6496
Q: Replace a big chunk of html I have a big chunk html code that I would like to replace from time to time with c#. I have made my own method for that where I post in htmlcode as string and than I do find and replace. I don't se this as a good approach and I wonder if anybody have a tip on any better approach or libary that I can use? A: The trivial approach is Regex.Replace(). With Regular Expressions you can search for a specific pattern in Text (or HTML in this case) and replace it with something else. The more in-depth approach is to use HtmlAgilityPack. It's a 3rd party component that creates a DOM from the HTML you throw at it and handles incomplete syntaxes far more better than a XML-based parser or a RegEx would. With the DOM your able to selectively extract data you want or replace certain nodes in the logical tree with new stuff. It's available at NuGet and on Codeplex: https://htmlagilitypack.codeplex.com/ Be aware that the HtmlAgilityPack hasn´t been updated since a while.
2023-11-16T01:26:51.906118
https://example.com/article/8092
Introduction ============ The dominant paradigm indicating that in adults, the formation of new blood vessels occurs only by migration and proliferation of mature endothelial cells (ECs) in a process termed \'angiogenesis\' was overturned in recent years by the discovery of endothelial progenitor cells (EPCs), which differentiate into ECs in a process referred to as vasculogenesis.[@B1] Currently, several assessment techniques and definitions have been proposed for EPCs, since they were first described by Asahara et al.[@B2] Hill et al.[@B3] using culturing techniques, introduced a colony-forming assay {colony forming unit Hill (CFU-Hill\'s)} in the field.[@B3] They showed that there was a significant inverse correlation between the concentration of CFU-Hill and Framingham cardiovascular risk score in human subjects. Other researchers showed that the concentration of CFUs is decreased in patients with type 1 diabetes, chronic obstructive pulmonary disease, congestive heart failure, acute stroke, rheumatoid arthritis, obesity, and many other peripheral vascular diseases.[@B4] On the other hand, several flow cytometric assays have been proposed to measure the frequency of circulating EPCs. For example, Peichev et al.[@B5] have suggested the use of the combination of CD34, CD133, and CD309 for the flow cytometric identification of the phenotype of EPCs th-rough indirect evidence and many investigators have used the flow cytometric method to enumerate the so-called circulating EPCs. For instance, Werner et al.[@B6] demonstrated that a lower frequency of CD34^+^CD133^+^CD309^+^ cells is correlated with poorer vascular endothelial status. However, the scientific community has not reached a consensus on the combination of markers that should be used to enumerate these cells[@B7] and various combinations have been used such as: CD34^+^133^+^,[@B8] CD34^+^309^+^,[@B9] CD133^+^45^-^,[@B10] and CD133^+^309^+^.[@B11] Furthermore, different studies presented the resultant data in two distinct forms: number of cells in the volume of blood and frequencies in the defined number of mononuclear cells (MNCs), which makes the comparison between different clinical studies more difficult. Nevertheless, more recent data have clarified that the two mentioned methods have presented cells which cannot differentiate into ECs or assemble into vascular networks *in vitro* and show monocytic characteristics such as expressing CD14 and CD45. These findings demonstrate that these cells are not true EPCs.[@B5] Eventually, Ingram et al.[@B12] introduced cells with appropriate characteristics that can be considered as true EPCs, now called \"endothelial colony-forming cells (ECFCs)\". These cells lack CD14, CD45, and CD133 markers while they still express CD34 and CD309.[@B12] Nevertheless, both CFU-Hills and circulating EPCs measured by flow cytometry are still classified as EPC subsets in the literature[@B4] but with new names: \"CFU-ECs\" and \"circulating angiogenic cells (CACs)\", respectively.[@B11] In addition, the strong correlation between the reduced number of CFU-ECs and CACs and increased risk of cardiovascular disease cannot be ignored, and although they are not true EPCs, they are true markers of vascular and endothelial status.[@B11] Now we know that these commonly used assays for measurement of the three EPC subsets quantify distinct cells,[@B13] and whether there is a correlation between the changes in the number of these subsets is a subject of investigation. Currently, only two studies have systematically examined the correlation between some of these EPC subsets, and in both studies some assays were not included.[@B14][@B15] In the current study, we have addressed this question in a prospective manner to assess the correlation between the changes in the number of all EPC subsets (CACs, ECFCs, and CFU-ECs) together. In this regard, we chose normal pregnancy as the model. Normal pregnancy is associated with enhanced endothelial function and formation of new blood vessels. Significant changes in the number of EPC subsets in the maternal circulation have been demonstrated during the three consecutive trimesters by using various mentioned methodologies.[@B16] This gave us the chance of obtaining two samples from one person with an anticipated change in the number of EPCs. The resultant prospective approach provides a unique opportunity to measure the changes in the number of EPC subsets instead of only quantifying the absolute numbers. This is important because the changes in the number of these cells are a more realistic representation of their association with changes in the endothelial and vascular status compared to a cross-sectional enumeration. Materials and Methods ===================== Study population ---------------- During April 2011 to May 2012, nine healthy pregnant women were enrolled in this study and peripheral blood samples were taken in their first and third trimesters. All the participants gave their written informed consent and the study was approved by the local Ethics Committee and it conformed to the Declaration of Helsinki. Preparation of mononuclear cells -------------------------------- Peripheral blood samples were transferred onto the layer of lymphosep (Biosera, UckfieldEast Sussex, UK) and centrifuged at 300×g for 25 minutes without break. Finally, the buffy coat layer was extracted. The total number of the isolated cells was determined using a hemocytometer and the purified MNCs were divided into two tubes for the following steps. Quantitative flow cytometry --------------------------- Because of the low frequency of the target cells in the peripheral blood, we performed a four-color quantitative flow cytometry using the rare cell analysis protocols.[@B17] All the MNCs purified from half of the blood sample (equivalent to 10 mL or at least 10^6^ cells) were stained with mouse derived antibodies against human CD34 conjugated with fluorescein isothiocyanate, CD133 conjugated with Phycoerythrin, CD309 conjugated with Allophycocyanin, and CD45 conjugated with Peridinin chlorophyll protein (all obtained from Miltenyi Biotec GmbH, Bergisch Gladbach, Germany). To enumerate the cell population of interest, TruCOUNT kit (BD Biosciences, San Jose, CA, USA) was used according to the manufacturer\'s instructions and by using the following formula: number of events in the target region×number of beads in the tube divided by the number of events in the bead region×sample volume. Samples were analyzed by a four-color FACS-Calibur instrument (BD Biosciences). CellQuest Pro software (BD Biosciences) was used for data acquisition and WinMDI software was used for data analysis and graphical presentation of data. To cover most of the reported phenotypes of CACs and ECFCs in the literature, we enumerated the 14 cell populations listed in [Table 1](#T1){ref-type="table"}. Colony forming unit-endothelial cell assay ------------------------------------------ Half of the MNCs were resuspended in the Endocult medium (Stem Cell Technologies, Vancouver, BC, Canada) supplemented with 100 U/mL penicillin and 100 µg/mL streptomycin (Gibco/Invitrogen, Carlsbad, CA, USA). The suspension was seeded into one well of 6-well fibronectin-coated plates (BD Biosciences) and incubated for two days at 37℃, 5% CO~2~, and 95% humidity. Then, the non-adherent cells were collected and replated onto 24-well fibronectin-coated plates (BD Biosciences). After 5 days, the culture medium was removed and the plates were washed with phosphate buffered saline. To increase the accuracy, the tests were performed in duplicate and the colonies were counted by two independent expert technicians. Statistical analysis -------------------- The parameters analyzed for determining the correlations were calculated as follows: \"Absolute changes=Absolute number of target cells in the third trimester peripheral blood-Absolute number of target cells in the first trimester peripheral blood\". \"Relative changes=(Absolute changes divided by absolute number of target cells in the first trimester peripheral blood)×100\". To cover the different methodologies for presenting the final number of EPC subsets in the literature, we calculated the number of target cells derived from flow cytometry or culturing techniques (CFU-EC assay), both in a milliliter of whole blood or in a million purified MNCs. Eventually, we gathered 64 parameters at the end of the study. The correlations between parameters were evaluated by Spearman\'s correlation study. Mann-Whitney test was used wherever appropriate. P less than 0.05 were considered statistically significant. Statistical Package for the Social Sciences (SPSS) software version 19.0 for Windows (SPSS Inc., Chicago, IL, USA) was used for statistical analysis. Graphpad Prism software (Graphpad, USA) was used for graphical presentation of data. Results ======= In the present investigation, we studied the correlations between the absolute and relative changes in the number of EPC subsets in the peripheral blood samples from 9 healthy pregnant women. Some of the clinical characteristics of the patients are presented in [Table 2](#T2){ref-type="table"}. Flow cytometry was used to enumerate CACs ([Fig. 1](#F1){ref-type="fig"}); precursors of CACs and ECFCs, and culture techniques were used to enumerate the number of CFU-ECs ([Fig. 2](#F2){ref-type="fig"}). The resultant data were presented both in a milliliter of blood and in one million purified MNCs. The complete data on correlations between the absolute and relative changes are reflected in Appendices 1 and 2, respectively, and the summary of the main findings is presented in [Table 3](#T3){ref-type="table"} and [4](#T4){ref-type="table"} in the same order. Neither absolute nor relative changes in the number of CFU-ECs were correlated with those in the number of CACs or ECFCs, and their absolute changes reported in both in a milliliter of blood or in one million MNCs were inversely correlated with those in the number of CAC precursors/mL (coefficient=-0.717, p=0.03; and coefficient=-0.9, p=0.001, respectively). The relative changes in the number of ECFCs/mL and also the relative changes in the number of CAC precursors/mL were correlated with relative changes in the number of CACs/mL (coefficient=0.714, p=0.031; and coefficient=0.713, p=0.032, respectively). Regarding the correlations between the alternatively reported phenotypes with the gold standard ([Table 1](#T1){ref-type="table"}), the number of CD34^+^CD133^+^CD309^+^CD45^+^ cells as the indicator of CACs, was almost invariably similar to the number of CD34^+^CD133^+^CD309^+^ cells with a very strong correlation (coefficient=1, p\<0.001), showing that the two groups are the same. The number of CACs was also moderately correlated with the number of CD34^+^CD309^+^ cells (coefficient=0.745, p=0.042) and was very strongly correlated with the number of CD133^+^CD309^+^ cells (coefficient=0.911, p=0.001), but it was not correlated with the number of CD34^+^CD133^+^ cells (coefficient=0.478, p=0.193). On assessing the correlations of ECFCs (CD34^+^CD133^-^CD309^+^CD45^-^ cells) with their alternatively reported phenotypes, we found a significant correlation of these cells with two other groups; CD309^+^CD45^-^ and CD34^+^CD45^-^ phenotypes (correlation coefficient=0.756 and 0.717, respectively; p=0.029 and p=0.03, respectively). With respect to how the type of reporting the data would affect the final results, we found that the frequency of CACs in a unit of peripheral blood was significantly increased at higher gestational ages of normal pregnancies. It was 10^6^ cells/mL in the first trimester peripheral blood, while it increased up to 239 cells/mL in the third trimester peripheral blood (p=0.016) ([Fig. 3A](#F3){ref-type="fig"}). However, this increase was not significant when the number of CACs was calculated in one million MNCs (p=0.136) ([Fig. 3B](#F3){ref-type="fig"}). Accordingly, the relative changes in the number of CACs/mL and CACs/10^6^ MNCs were not correlated (coefficient=0.349, p=0.358). Furthermore, absolute changes in the number of CFU-ECs when calculated in a milliliter of whole blood and in 10^6^ MNCs showed only modest correlations (coefficient=0.683, p=0.042), but the relative changes showed a very strong correlation (coefficient=0.987, p\<0.001). Discussion ========== The number of EPCs in pathologic conditions is quite important as the changes in their number are strongly associated with several cardiovascular diseases. Nevertheless, there is no consensus on the definition of EPCs, and consequently a variety of surface markers and functional assays have been used to enumerate these cells. Therefore, a systematically designed study for comparing these various methodologies seems necessary. In the present study, we performed an analysis of several methods used for enumerating EPCs and correlated them with each other. We observed that the changes in the number of the most frequently measured cells in the blood (CFU-ECs, CACs, and ECFCs) are independent of each other. However, there are some interesting correlations between them and other cell populations. With respect to the number of EPCs, one should be aware that the data in previous studies are reported in two ways: number of cells in a defined volume of blood and frequencies in a defined number of MNCs, which may lead to a significant difference in the final results. For example, in our study, the number of CACs showed an increase with advancement of the gestational age, which was in accordance with the previous reports.[@B18] However, this increase became significant only when the number of CACs was reported in one milliliter of blood and not when the number of CACs was calculated in one million MNCs ([Fig. 3](#F3){ref-type="fig"}). To explain this difference, one should notice that the number of EPCs in MNCs can be calculated as the number of EPCs per milliliter of blood divided by the number of MNCs per milliliter of blood. As changes occur in the number of EPCs in a manner independent of the number of MNCs, the final result of this calculation would be different from the calculation of the number of EPCs in one milliliter of blood. Another important hint is that the way in which changes occur in the number of these cells during pathologic conditions may be more important than their absolute numbers because the changes in the number of these cells are a more realistic representation of their association with changes in the endothelial and vascular status compared to a cross-sectional enumeration. To address this issue, we used normal pregnancy as the model. Changes in the number of EPCs in different trimester peripheral blood samples have been shown using various methodologies,[@B16] and this gave us an opportunity for obtaining two samples from one person with expected changes in the number of EPCs using a prospective approach, and offered the possibility of comparing the changes in the number of EPCs instead of the absolute values. However, limiting the study model to pregnancy also has some limitations. For example, we do not know the effects of estrogen or progesterone-induced microenvironment during pregnancy on EPCs. Future studies in young non-pregnant females would help in extrapolating these effect on EPCs. Furthermore, the significance of changes in the number of EPCs is also influenced by the baseline number of these cells. Indeed, a small change in the number of cells can be important when the basal frequency is low, but the same change may be unimportant when higher quantities of cells are present initially. To address this problem, we analyzed a new parameter, the \"relative change\" in the number of cells. Interestingly, when we re-performed the correlation studies using this new parameter, correlations became more significant, indicating again that relying only on the absolute number of EPCs may be misleading, and when changes compared to the baseline are analyzed, a more accurate estimation of EPC status can be achieved. For example, the absolute changes in the number of CFU-ECs when calculated in a milliliter of whole blood and in 10^6^ MNCs showed only a modest correlation (coefficient=0.683, p=0.042), but when the relative changes were reassessed, this correlation became very strong (coefficient=0.987, p\<0.001). Although there are only two systematic comparisons of EPCs in the literature,[@B14][@B15] in several other studies, there are reports of discrepancies between EPCs as identified by different techniques.[@B13][@B20][@B21][@B22] Unfortunately, none of these studies included the ECFCs or CAC precursors in their investigation and none of them enumerated the CACs through their complete platform of antigen markers as CD34^+^CD133^+^CD309^+^CD45^+^ cells. Instead most of the studies used two marker combinations such as CD34^+^CD133^+^ or CD34^+^CD309^+^. In our study, the number of CACs (enumerated as CD34^+^CD133^+^CD309^+^CD45^+^ cells) was almost invariably similar to the number of CD34^+^ CD133^+^CD309^+^ cells with a very strong correlation (coefficient=1, p\<0.001), indicating that all these cells co-express CD45 and the two populations are the same. The number of CACs was also moderately correlated with the number of CD34^+^CD309^+^ cells and very strongly correlated with the number of CD133^+^CD309^+^ cells, but it was not correlated with the number of CD34^+^CD133^+^ cells. The same findings were previously demonstrated by George et al.[@B15] They also showed that only the number of CD34^+^CD309^+^ cells and CACs was correlated with VEGF serum levels, and not the number of CD34^+^ CD133^+^ cells. Povsic et al.[@B13] observed an association between the number of CD133^+^ cells and the number of CD34^+^ cells; however, they found no correlation between the number of either of these two cell groups and the number of CD309^+^ cells.[@B13] We obtained similar findings, and we found a strong correlation between the number of CD34^+^ cells and the number of CD133^+^ cells, both of which failed to correlate with the CD309 marker. The number of CD309^+^ cells also failed to correlate with the number of CD133^+^CD34^+^ cells. These findings are consistent with the known coexpression of CD34 and CD133 as the markers for hematopoietic progenitor/stem cells other than EPCs. In fact, considering our data, any study that assesses EPCs with a marker combination that lacks CD309 is inaccurate and it has mostly evaluated hematopoietic progenitor/stem cells instead of EPCs. Therefore, the use of a three marker combination for assessment of CACs, instead of the four marker combination, is very logical and if a two marker combination is to be used, it would be better to use the CD133^+^CD309^+^ combination and not the CD34^+^CD133^+^ combination; which unfortunately, was previously used frequently. Data regarding the correlations between changes in the number of CFU-ECs are slightly more common. George et al.[@B15] found no correlations between the number of CFU-ECs and the number of CD34^+^CD309^+^ cells. In another study, Heiss et al.[@B20] obtained the same findings and they did not find any correlation between the number of CD34^+^CD309^+^ cells or CD133^+^CD309^+^ cells and the number of CFU-ECs. Powell et al.[@B21] noted that there was no correlation between the number of CD133^+^CD309^+^ cells and the number of CFU-ECs. Moreover, Povsic et al.[@B13] in their study demonstrated a correlation between the number of CFU-ECs and the number of both CD309^+^ and CD34^+^CD309^+^ cells, but not with the number of CD133^+^, CD34^+^, or CD133^+^CD34^+^ cells. They also showed that the number of CFU-ECs did not correlate with the number of CD34^+^CD309^+^ or CD34^+^CD133^+^CD309^+^ cells, but it was negatively correlated with the number of CD34^+^CD133^+^ cells. Tura et al.[@B14] could not find any correlation between the number of subpopulations expressing CD34 or CD133 or CD309, singly or in any combination, and the number of CFU-ECs. They only observed a trend for correlation between the number of CFU-ECs and the number of CD14^+^ cells. Similarly, we could not identify any correlation between the number of CFU-ECs and the number of any other measured target cells except for a moderate correlation with the number of CD34^+^ cells. Although the culturing techniques are the standard methods used for enumerating ECFCs, we passed up this modality because of the following two reasons: first, their frequency in the peripheral blood is very low and large volume blood samples are needed to obtain accurate measurements; also, most of our participants refused to donate such large volumes of blood during their pregnancy period. In addition, a strong correlation between the number of culture-derived ECFC colonies and the number of flow cytometrically enumerated CD34^+^CD45^-^ and CD34^+^CD309^+^ cells has been demonstrated without any correlation with the CD34^+^CD133^+^ as the presumed marker of CACs.[@B22][@B23] Consequently, in our study, we used a flow cytometric technique to enumerate the likely ECFCs. We could not identify a significant correlation between changes in the number of ECFCs and the number of CFU-ECs, but there were moderate correlations with the number of CACs, CD34^+^CD45^-^, and CD309^+^CD45^-^ cells. In fact, none of the correlations with the number of ECFCs were strong enough so that we cannot recommend other marker combinations instead. Changes in the number of CAC precursors were correlated with changes in the number of CACs, indicating that changes in the number of CACs can be due to both the differentiation and mobilization processes. It can be concluded that the current three populations representing EPC subsets are different cells with independent behaviors. In addition, parameters such as the type of reporting the data and the baseline frequency of cells can affect the final results. There is a real need for a universal definition of EPCs and also for standardization of the assays used for their measurement. We can suggest that relative changes in the number of measured cells are a more convenient parameter that reflects the EPC status in each individual. We can also suggest that the CD133^+^CD309^+^ combination can be used as a substitute for appropriate measurement of CACs instead of the CD34^+^CD133^+^CD309^+^CD45^+^ combination. This investigation is the result of a thesis supported by the research grant \#93-7682 from the Vice Chancellor of research at Shiraz University of Medical Sciences. The authors would like to thank Dr. Nasrin Shokrpour working at the Center for Development of Clinical Research of Nemazee Hospital for the editorial assistance. The authors have no financial conflicts of interest. Supplementary Materials ======================= The online-only Data Supplement is available with this article at <http://dx.doi.org/10.4070/kcj.2015.45.4.325>. ###### Absolute Changes Correlations ###### Relative Changes Correlations ![Typical density plot diagrams defining some of the variable regions used to enumerate absolute counts of the circulating angiogenic cells marked as CD34^+^CD133^+^CD309^+^CD45^+^ cells.](kcj-45-325-g001){#F1} ![A typical colony of colony forming unit endothelial cells.](kcj-45-325-g002){#F2} ![Box plot defining the median and range of the number of CACs in the 1st and 3rd trimester peripheral blood. Number of CACs increases as the gestational age advances, but it only reaches significance when it is reported as the number of cells in a milliliter of blood. This shows that the way of reporting the data affects the final results. CAC: circulating angiogenic cell.](kcj-45-325-g003){#F3} ###### Marker combinations used for flow cytometric measurement of different EPC subsets ![](kcj-45-325-i001) Marker combination Used as the gold standard for Used as an alternative for -------------------------------- ------------------------------- ------------------------------- CD34^+^ \- CAC and ECFC CD133^+^ \- CAC precursors and CAC CD309^+^ \- CAC precursors, CAC, and ECFC CD34^+^CD133^+^ \- CAC[@B8] CD34^+^CD309^+^ \- CAC[@B9] CD133^+^CD45^-^ \- CAC[@B10] CD133^+^CD309^+^ \- CAC[@B11] CD34^+^CD45^-^ \- ECFC[@B22] CD309^+^CD45^-^ \- ECFC[@B23] CD34^+^CD133^+^CD309^+^ \- CAC[@B6] CD34^+^CD133^-^CD309^+^ \- ECFC[@B12] CD34^-^CD133^+^CD309^+^ CAC precursors[@B19] CD34^+^CD133^+^CD309^+^CD45^+^ CAC[@B12] CD34^+^CD133^-^CD309^+^CD45^-^ ECFC[@B12] The reference that has used any of the combinations is presented within parentheses. EPC: endothelial progenitor cell, CAC: circulating angiogenic cell, ECFC: endothelial colony-forming cell ###### Clinical profiles of women having a normal pregnancy ![](kcj-45-325-i002) General characteristics ------------------------------------------------ ------------------------- --------------------- Maternal age (years) 29.33±4.58 (21-36) Nuliparity (%) 55.6 **First trimester** **Third trimester** Gestational age at the day of sampling (weeks) 9.8±1.7 (7-13) 33.6±2.6 (31-38) Systolic blood pressure (mm Hg) 108.8±9.2 (100-120) 106.8±9.2 (90-120) Diastolic blood pressure (mm Hg) 67.7±8.3 (60-80) 67.9±9.1 (60-80) Urine protein (dipstick) 0+ 0+ Fasting plasma glucose (mg/dL) 83.3±12.6 (65-98) 79.9±14.1 (60-97) Plasma creatinine (mg/dL) 0.9±0.12 (0.7-1.1) 0.87±0.16 (0.6-1.2) White blood cell count (×10^3^/mm^3^) 8.9±2.4 (7.5-11.2) 8.2±1.9 (6.3-10.4) Hemoglobin level (g/dL) 12.6±2.3 (11.8-14.2) 11.3±1.8 (9.8-12.9) Platelet count (×10^9^/L) 278±66 (205-328) 232±75 (189-297) Data are shown as: mean±standard deviation (minimum-maximum) ###### Summary of correlations between absolute changes in the number of EPC subsets ![](kcj-45-325-i003) ---------------------------- ------------ --------------------- --------- ------------------ ------------- ------------------- ------------------- CFU-ECs/10^6^ cells 0.683^\*^ CACs/mL 0.533 -0.117 CACs/10^6^ cells 0.233 0.117 0.567 ECFCs/mL 0.200 0.000 0.233 -0.167 CAC precursors/mL -0.717^\*^ -0.900^\*\*^ 0.033 0.050 -0.083 ECFCs/10^6^ cells 0.050 0.083 -0.167 -0.283 0.817^\*\*^ 0.033 CAC precursors/10^6^ cells -0.500 -0.067 -0.417 0.317 0.050 0.217 0.233 CFU-ECs/mL CFU-ECs/10^6^ cells CACs/mL CACs/10^6^ cells ECFCs/mL CAC precursors/mL ECFCs/10^6^ cells ---------------------------- ------------ --------------------- --------- ------------------ ------------- ------------------- ------------------- Data shown are Spearman\'s correlation coefficient. ^\*^Statistically significant at p\<0.05, ^\*\*^Statistically significant at p\<0.01. EPC: endothelial progenitor cell, CFU-EC: colony forming unit endothelial cell, CAC: circulating angiogenic cell, ECFC: endothelial colony forming cell, mL: milliliter ###### Summary of correlations between relative changes in the number of EPC subsets ![](kcj-45-325-i004) ---------------------------- ------------- --------------------- ----------- ------------------ ---------- ------------------- ------------------- CFU-ECs/10^6^ cells 0.987^\*\*^ CACs/mL -0.179 -0.170 CACs/10^6^ cells -0.214 -0.153 0.349 ECFCs/mL -0.222 -0.250 0.714^\*^ 0.002 CAC precursors/mL -0.385 -0.328 0.713^\*^ 0.275 0.411 ECFCs/10^6^ cells -0.125 -0.165 0.082 0.276 0.497 -0.109 CAC precursors/10^6^ cells -0.331 -0.241 -0.031 0.611 -0.251 0.508 0.073 CFU-ECs/mL CFU-ECs/10^6^ cells CACs/mL CACs/10^6^ cells ECFCs/mL CAC precursors/mL ECFCs/10^6^ cells ---------------------------- ------------- --------------------- ----------- ------------------ ---------- ------------------- ------------------- Data shown are Spearman\'s correlation coefficient. ^\*^Statistically significant at p\<0.05, ^\*\*^Statistically significant at p\<0.01. EPC: endothelial progenitor cell, CFU-EC: colony forming unit endothelial cell, CAC: circulating angiogenic cell, ECFC: endothelial colony forming cell, mL: milliliter
2023-10-18T01:26:51.906118
https://example.com/article/2037
Osteopetrosis--a review and report of two cases. We present a brief review of the rare condition of osteopetrosis together with two case reports of this disease in the same family affecting the jaws. The first in a 41-year-old woman, and the second in her 39-year-old brother. Plain films and computed tomography showed marked sclerosis of the affected bones with obliteration of the medullary cavities and thickening of the cortices as well as multiple absent and unerupted teeth. In addition radiographs showed discrete mixed radiopaque/radiolucent areas consistent with the appearance of fibro-cemento-osseous dysplasia, but which may also represent part of the overall spectrum of bone changes in osteopetrosis.
2023-12-30T01:26:51.906118
https://example.com/article/9596
The comScore announcement, which came from the digital world measurement company, said that Domino's increased its share of dollars spent online during the Big Game compared to an average Sunday in October during football season. Domino's increased share from 20% to 31%, while Papa John's and Pizza Hut both saw their relative shares of online orders decline. On an average Sunday in October 2007, Domino's had a 20% share, Papa John's had 43% and Pizza Hut had 38%. However, during Super Bowl Sunday, Domino's had a 31% share--an 11 percentage-point increase; Papa John's had 35%, down 8 percentage points; and Pizza Hut had 34%, down 4 points. Domino's declined to comment, saying that it had no details on how the survey had been done. But Carolina Petrini, comScore SVP/marketing solutions, said in a release that "landmark events like Super Bowl Sunday have a way of bringing new customers into the fold and can have a profound impact on shaping a developing market channel like online ordering. It is important for marketers to capitalize on these opportunities to position themselves for future success." The sharp increase in Domino's dollar share on Super Bowl Sunday came from an increase in number of purchasers and not a higher average transaction size. Domino's experienced a 147% increase in purchasers; Papa John's, 22% and Pizza Hut, 2%. In fact, average dollars per transaction for Domino's actually declined 7% from its October average, to $22.93. Papa John's remained steady at $22.66, and Pizza Hut increased 29%, to $28.28. "This type of analysis provides marketers with the insights needed to assess the performance of their campaigns and benchmark against the competition," said Petrini. "Understanding which factors are determining success can help marketers determine the optimal strategy for future efforts."
2023-10-14T01:26:51.906118
https://example.com/article/3104
This invention relates generally to an image-reading apparatus having a deviation correcting function and, more particularly, to an image recorder apparatus of the type noted above, in which an original image is read out by charge-coupled devices capable of photoelectric conversion. Recently, with rapid development of office automation, there has been a demand for an image reader for use in copying machines, facsimile sets, etc., which can perform high-speed and high-resolution reading of image data and is small in size. To meet this demand, image readers using close-contact type image sensors have been developed and used in practice. In the image reader noted above, a focusing-light lens is used for an optical system connecting optical face and image sensor, and an image sensor is disposed in the vicinity of the original surface for reading image data. In other words, the width of reading of the original is the same as that of the original so that the original image is focused on the same scale on the image sensor. The image sensor of the close-contact type, which provides the same reading width as the original width, comprises a plurality of charge-coupled device image sensor elements (hereinafter referred to as CCD elements) in a staggered arrangement (parallel and alternate arrangements). When reading image data using the image sensor of the above construction, it is necessary to correct positional (i.e., spatial and time-wise) deviation of the CCD elements according to the speed (or reading density) at which an original is scanned in a secondary scanning direction perpendicular to the scanning direction of the image sensor. Each CCD element has a line memory (or line shift gate), so that the correction is done line by line. Denoting the positional deviation between first and second rows of CCD elements among the CCD elements in the staggered arrangement noted above by g .mu.m, and the scanning speed in the secondary scanning direction by Vx .mu.m/sec., a positional deviation is produced in the read-out image in correspondence to the displacement of the CCD elements in the two rows in an optical signal time t according to the scanning speed Vx .mu.m/sec. Accordingly, the time at which the first row CCD elements provide output, is delayed for a predetermined number of lines while setting the same timing of fetching optical signal, i.e., storage timing, for the first-and second-row CCD elements. In this way, the positional deviation between the first and second row CCD elements is corrected. For example, where the line width of the reading density in the secondary scanning direction is one half of g, the output of the first-row CCD elements is delayed for two lines. That is, the output of the first-row CCD elements, which read out image data first, is delayed for a number of lines, corresponding in number to the positional deviation of the line shift gate. Therefore, the output of the second-row CCD elements, which read out image data subsequently, is simultaneously obtained. In this way, a read-out image free from distortion is obtained. Where the correction is done line by line in the manner as described above, however, a deviation for at most 0.5 line (Vxta) results in the read-out image with respect to the displacement Vxt of CCD elements in the optical signal storage time t when the reading density, i.e., reading line density, is varied continuously, not stepwise, by varying the speed of scanning of the original. In other words, perfect correction can not be obtained when the displacement Vxt of CCD elements noted above is not an integral multiple fraction of the positional deviation of the CCD elements, that is, when the deviation of the CCD elements is not an integral multiple of the line width of the reading density.
2023-12-07T01:26:51.906118
https://example.com/article/3047
<?php function notify_init(&$a) { if(! local_channel()) return; if(argc() > 2 && argv(1) === 'view' && intval(argv(2))) { $r = q("select * from notify where id = %d and uid = %d limit 1", intval(argv(2)), intval(local_channel()) ); if($r) { q("update notify set seen = 1 where (( parent != '' and parent = '%s' and otype = '%s' ) or link = '%s' ) and uid = %d", dbesc($r[0]['parent']), dbesc($r[0]['otype']), dbesc($r[0]['link']), intval(local_channel()) ); goaway($r[0]['link']); } goaway($a->get_baseurl(true)); } } function notify_content(&$a) { if(! local_channel()) return login(); $notif_tpl = get_markup_template('notifications.tpl'); $not_tpl = get_markup_template('notify.tpl'); require_once('include/bbcode.php'); $r = q("SELECT * from notify where uid = %d and seen = 0 order by date desc", intval(local_channel()) ); if($r) { foreach ($r as $it) { $notif_content .= replace_macros($not_tpl,array( '$item_link' => $a->get_baseurl(true).'/notify/view/'. $it['id'], '$item_image' => $it['photo'], '$item_text' => strip_tags(bbcode($it['msg'])), '$item_when' => relative_date($it['date']) )); } } else { $notif_content .= t('No more system notifications.'); } $o .= replace_macros($notif_tpl,array( '$notif_header' => t('System Notifications'), '$tabs' => '', // $tabs, '$notif_content' => $notif_content, )); return $o; }
2023-12-31T01:26:51.906118
https://example.com/article/9886
The official website for the anime adaptation of Natsumi Eguchi's Hozuki no Reitetsu manga revealed the main staff and returning cast for the anime's upcoming second season. Kazuhiro Yoneda (Mahou Shoujo Nante Mouiidesukara., Yona of the Dawn) is taking over for Hiro Kaburagi as director for both the upcoming original animation DVD (OAD) and the second season. Production for both is moving from Wit Studio to Studio DEEN. Jirō Omatsuri is replacing Hirotaka Katō as character designer in the second season. Midori Gotou is again writing the scripts and TOMISIRO is again composing the music. The returning cast includes: Hiroki Yasumoto as Hōzuki Takashi Nagasako as Enma Daiō Yumiko Kobayashi as Shiro Hiroki Gotou as Kakisuke Takashi Matsuyama as Rurio Eri Kitamura as Okō Touko Aoyama as Nasubi Tetsuya Kakihara as Karauri Sumire Uesaka as Peach Maki Daisuke Hirakawa as Momotaro Koji Yusa as Hakutaku Satomi Satou as Ichiko Yui Ogura as Niko Ayaka Suwa as Miki The second season will premiere in October. The manga inspired a 13-episode television anime series that premiered in January 2014. Crunchyroll streamed the anime as it aired, and Sentai Filmworks released the series on home video in February 2015 under the title Hozuki's Coolheadedness. The manga also inspired three previous OADs that shipped with the 17th, 18th, and 19th volumes of the manga in 2015. Advance screenings of the three OADs were held in theaters in Japan in December 2014. The new OAD will ship with a limited edition of the manga's 24th volume on March 23. The dark comedy manga revolves around Hōzuki, the fierce aide to the Great King Enma. Calm and super-sadistic, he tries to resolve problems that often occur in Hell. Eguchi launched the manga in Kodansha's Morning magazine in 2011. Monaka Shiba launched a four-panel spinoff series titled Hozuki no Reitetsu ~Shiro no Ashiato~ (Hozuki's Coolheadedness: Shiro's Footprints) in Kodansha's Nakayoshi magazine in December 2015. Thanks to RoyalTanki for the news tip.
2024-01-13T01:26:51.906118
https://example.com/article/4043
Use of leaf litter breakdown and macroinvertebrates to evaluate gradient of recovery in an acid mine impacted stream remediated with an active alkaline doser. The spatial congruence of chemical and biological recovery along an 18-km acid mine impaired stream was examined to evaluate the efficacy of treatment with an alkaline doser. Two methods were used to evaluate biological recovery: the biological structure of the benthic macroinvertebrate community and several ecosystem processing measures (leaf litter breakdown, microbial respiration rates) along the gradient of improved water chemistry. We found that the doser successfully reduced the acidity and lowered dissolved metals (Al, Fe, and Mn), but downstream improvements were not linear. Water chemistry was more variable, and precipitated metals were elevated in a 3-5-km "mixing zone" immediately downstream of the doser, then stabilized into a "recovery zone" 10-18 km below the doser. Macroinvertebrate communities exhibited a longitudinal pattern of recovery, but it did not exactly match the water chemistry gradient Taxonomic richness (number of families) recovered about 6.5 km downstream of the doser, while total abundance and % EPT taxa recovery were incomplete except at the most downstream site, 18 km away. The functional measures of ecosystem processes (leaf litter breakdown, microbial respiration of conditioned leaves, and shredder biomass) closely matched the measures of community structure and also showed a more modest longitudinal trend of biological recovery than expected based on pH and alkalinity. The measures of microbial respiration had added diagnostic value and indicated that biological recovery downstream of the doser is limited by factors other than habitat and acidity/alkalinity, perhaps episodes of AMD and/or impaired energy/nutrient inputs. A better understanding of the factors that govern spatial and temporal variations in acid mine contaminants, especially episodic events, will improve our ability to predict biological recovery after remediation.
2024-01-22T01:26:51.906118
https://example.com/article/3328
New Delhi: On October 19, members of the Akhil Bharatiya Vidyarthi Parishad (ABVP) sent a letter to the vice-chancellor of Ahmedabad University, where historian Ramachandra Guha was to receive a prestigious professorship. “We said that we want intellectuals in our educational institutes and not anti-nationals, who can also be termed as ‘Urban Naxals’,” Pravin Desai, ABVP’s secretary for Ahmedabad city, told The Indian Express. “We had quoted anti-national content from his (Guha’s) books to the Registrar.” So what was the “anti-national content from his books” uncovered by the vigilant activists? It turns out, they are from Makers of Modern India (Penguin, 2010) – Guha’s anthology of writings by political leaders who are also the premier political thinkers of modern India. One of the quotes isn’t Guha’s writing at all, but an excerpt from a speech given by the Dravidian leader E.V. Ramaswami, widely known as Periyar. Here are the four passages flagged by the ABVP in their letter. 1. This passage from Guha’s introduction to the chapter on the Hindutva ideologue M.S. Golwalkar, whose writing Guha quotes over the following 12 pages. 2. The second quote shared in the ABVP letter (highlight in the original) is from a footnote in the epilogue of Guha’s book, where he names the leaders whom he thinks do not “speak directly to the concerns of the present”. 3. The third quote is not Guha’s writing at all, but an excerpt from a talk given by E.V. Ramaswami, also known as ‘Periyar’, at Pachaiyappa’s Hall, Madras, in October 1927. 4. This final quote is from Guha’s introduction to the chapter on Periyar, where Guha summarises one of Ramaswami’s scathing critiques of god-men, supported by the Tamil leader’s own words later in the chapter: “He sits there as the women come to take his darshan and prays on very different beads. He picks out some specially who are young and freshly nubile, and there he sits, meditating and repeating to himself, this one’s nice, that one’s pretty! Not a word about your Shiva or Hari, they’re all forgotten! The only name on his lips is that girl’s who looks just like the milkmaid Radha.” Also read: Why Do Dravidian Intellectuals Admire a Man as Prickly as Periyar? If people like Guha are allowed to teach in Gujarat or even India, the ABVP letter says, “the youth power of the country will have no feeling for the country or our world-best culture and will become directionless and reckless by the courses created under the direction of such a directionless person”. In the interest of “education and the nation”, the ABVP wrote, the university should cancel his appointment. “If such persons co-operate with anti-national activities and activities for disintegration of India with the help of your institution, Vidyarthi Parishad will lead radical movement against your institution and you will be solely responsible for it.” On Thursday, November 1, Guha tweeted he will not be joining AU due to “circumstances beyond his control”. Due to circumstances beyond my control, I shall not be joining Ahmedabad University. I wish AU well; it has fine faculty and an outstanding Vice Chancellor. And may the spirit of Gandhi one day come alive once more in his native Gujarat. — Ramachandra Guha (@Ram_Guha) November 1, 2018 A source told the Indian Express, “The element of a mobilised ABVP posed a particular kind of risk. There was a real concern that he (Guha) could be harmed (on campus).” Contrary to what was suggested in the Indian Express report, however, The Wire‘s sources said that the ABVP protest was not the only reason for the changed circumstances Guha referred to but also political pressure from BJP hedquarters.
2023-11-22T01:26:51.906118
https://example.com/article/8855
Faith: My salvation testimony I am trusting in Christ's sacrifice and His resurrection as revealed to me in the Holy Bible for my personal immortality. In the early 60's, my family began attending an independent Baptist Church; in the years prior, they were nominal Christians; my Dad has mentioned that JFK's assassination shook him out of his complacency, and got him to investigate spiritual things. He went forward during an invitation one Sunday, and at age 8, I followed him. I don't really remember much about that day (after all, it was almost half a century ago) but I do remember being a skeptic, even then: it was a Baptist Church, during the 60's, after all; they must have used the 4 Spiritual Laws, and asked me to commit my life to God, to believe in Him. I remember wishing they could prove this Christianity stuff to be true. But I must have made a decision, because God has witnessed with my spirit ever since, that I am one of His. I was baptized shortly thereafter as an affirmation of that belief. Over the years since, despite the efforts of teachers in the public school system, humanistic philosophy, the media and the bad examples of many professing Christians, I know that God is faithful, and powerful enough to preserve me and to preserve His Word in order that I may know what I need to know about Him. "Unfortunately", I can't point to a dramatic test of my faith; I have had various ups and down in my life, but the bad stuff, to be honest, is pretty much my own fault. Unpleasant things have happened to me: I have lost jobs, even lost a child, but I can't really even call that a tragedy: I know that I shall meet her again one day. I know my own weakness, and I also know that it is God's hand that each day, makes me able to remain faithful to Him.
2024-05-03T01:26:51.906118
https://example.com/article/3315
Movie Reviews Last year “Hansel and Gretel: Witch Hunters” surprised everyone by being a dumbed down action/horror film that did really well in January. With a similar premise and release window, I’m sure “I, Frankenstein” was ... What is BAD MILO exactly? Well, in short, Milo is the cutest little butt demon you ever did see and well…he’s bad- or at least he does bad things when summoned. The premise of this little horror comedy sounds pretty... Hype can be an extremely dangerous thing- especially in the case of movies making their debuts at film festivals. More often than not so much time passes from the premiere of the movie at a festival to its actual release either... I still remember how I felt after leaving DISTRICT 9 for the first time- surprised, shocked and utterly thrilled. I couldn’t count down the days fast enough leading up to the release of Neil Blomkamp’s ELYSIUM and w... Terrible things happen to good people all that time, nothing new there. The more accurate thing to say though and perhaps the more down to earth way of saying it is terrible things happen to people in general. The distinction o... If anyone is proving themselves as one of the go to directors when it comes to things that go bump in the night is James Wan. As a huge fan of his last flick INSIDIOUS I was more than a little tickled to see him returning this ... Over the last few summers we have been treated to a lot of geeky delights up to and including massive fighting robots, monsters and aliens- but what if you could have that all in one movie? That’s what Guillermo del Toro ... When the credits rolled on Adam Sandler’s latest film one of the only reactions I had which is also one of the central jokes was, “Whaaaaaaaat?!” It takes a special kind of bad to have quite a few laughable jo... I was sitting in the theater one day sitting through 20 minutes of trailers as well all do these days and low and behold a trailer comes up starring Sandra Bullock as an FBI agent people don’t really respect only this tim... The months leading up to the long delayed Marc Forster film adaptation of WORLD WAR Z people were still up in arms about the enormous reshoots and rewrites- not to mention no end to people crying about all the CGI zombies. It g... I just got back from seeing Man of Steel this afternoon and I think I have the answer to whether its worth seeing or not. Man Of Steel is the latest Superman movie that reboots the entire franchise of films with Christopher Nol... Like some, I was not overjoyed with Zack Snyder being announced as the director for a new Superman movie. It wasn’t because I don’t like him on some personal level or that he’s really a bad director- it was mo... Some of the best sequels aspire to be bigger and crazier than its predecessor and that point could not be more on the nose when it comes to V/H/S/2. The original found footage anthology was a mixed bag of horror shorts that in ... For what it’s worth, I have to offer an apology to a franchise I could have done without few years ago. So much so that I completely skipped over TOKOYO DRIFT and have yet to catch up with it. The last confession might be...
2023-12-09T01:26:51.906118
https://example.com/article/1144
# TEST SCRIPTS Some bash scripts to exercise the OSB API using curl. * bind.sh - creates a bind * bootstrap.sh - bootstraps the broker * catalog.sh - returns the list of APBs * deprovision.sh - deprovisions an APB * getbind.sh - returns the bind created by async bind * getinstance.sh - returns the instance created by provision * last_operation.sh - polls the last_operation endpoint for job status * provision.sh - provisions a service instance * unbind.sh - deletes a bind When running the scripts you will need to be logged into the OpenShift cluster since the scripts will use `oc whoami -t` to get your token for authentication. NOTE: and you can't be a system:admin for this. NOTE: You will also need to enable `auto_escalate` feature on the broker. You can do this by editing the template or by editing the configmap of an already deployed broker
2023-10-19T01:26:51.906118
https://example.com/article/2612
Q: Group By - Linq to SQL? I have a problem. In SQL, when I do something like: SELECT * FROM Fruits GROUP BY fruitName; I can have something like: ID FRUITNAME PRICE 1 Apple $5.00 4 Banana $3.00 6 Mango $5.00 How can convert that, to Linq with Lambda? I tried .GroupBy(), but only groups with a Key (fruitName) in another object, example: Apple 1 $5.00 2 $6.00 3 $6.00 Banana 4 $3.00 5 $2.00 Mango 6 $5.00 May you help me? thanks! UPDATE: In MySQL this is the logic that I used, and it works without problem A: No, you can't have "something like" the table above from such a query. Your SQL query would crash and burn because you're selecting columns (id and price) that don't appear in the group by clause. What are you actually trying to do? It looks like you're trying to get the Fruit with the lowest id in its respective group when grouped by fruitName. In which case, something like: fruits .GroupBy(fr => fr.fruitName) .Select(grp => grp.OrderBy(fr => fr.Id).First()) would do the trick.
2024-04-19T01:26:51.906118
https://example.com/article/3516
One of our favorite sources of positivity is Chris Connelly of ESPN. The sports giant’s feature reporter hit another home run with his latest tearjerker. Ziggy Hits the Diamond The Los Angeles Dodgers are one of the best teams in baseball this season, but on June 25 the organization decided Dave Roberts needed a little help managing the ball club. Cue Lazaro “Ziggy” Monarrez. Through the Make-A-Wish Foundation, the 11-year-old fan, who was diagnosed with spinal muscular atrophy (SMA) when he was 12 months old, was granted his wish to manage the Dodgers for a day. “Why do you want to manage the Dodgers?” Connelly asked Ziggy while visiting he and his family at their home in El Paso, Texas. “They’re [the] Dodgers. That shouldn’t even be a question,” Ziggy replied. Moments later, Ziggy was surprised with the announcement that his dream would be realized and soon he was in L.A. meeting with his co-manager, Roberts, where he was presented with a jersey bearing his name. “That’s awesome,” said Ziggy upon seeing his #22 white and blue uniform. A lifelong baseball fan, Ziggy’s diagnosis of SMA meant he’d have to live his entire life in a wheelchair, preventing him from ever being able to play the game. “It was hard that he wasn’t going to be able to walk and play baseball because that was one of the things we all did,” Ziggy’s mom, Araceli, told ESPN. “He’s a smart boy, and that’s typical for kids with [Type 2] SMA. When he was little, I noticed he would pick up on things very quickly, and I thought, maybe it’s because when all the other kids are exploring their world — crawling and walking and these other things — what is Ziggy doing? He’s learning. He’s observing,” she added. His intelligence came in handy during the game as he was every bit as important as the world class athletes on the field. In fact, Ziggy was integral when it came time to pull the team’s ace, Clayton Kershaw, who’d run out of gas after six shutout innings. “I’m thinking of taking Kershaw out now. What do you think?” Roberts asked Ziggy. “Yeah,” Ziggy replied. Roberts then went with a lineup that Ziggy spent a week preparing. “You really are the co-manager, aren’t you?” said Araceli. Ziggy’s keen eye and decision-making paid off as the Dodgers defeated the Colorado Rockies 4-0 for their ninth consecutive win. Following the victory, Ziggy joined the team on the field and high-fived each player as they walked off.
2024-01-05T01:26:51.906118
https://example.com/article/1232
Apoptotic mechanisms after repeated noise trauma in the mouse medial geniculate body and primary auditory cortex. A correlation between noise-induced apoptosis and cell loss has previously been shown after a single noise exposure in the cochlear nucleus, inferior colliculus, medial geniculate body (MGB) and primary auditory cortex (AI). However, repeated noise exposure is the most common situation in humans and a major risk factor for the induction of noise-induced hearing loss (NIHL). The present investigation measured cell death pathways using terminal deoxynucleotidyl transferase dUTP nick end labeling (TUNEL) in the dorsal, medial and ventral MGB (dMGB, mMGB and vMGB) and six layers of the AI (AI-1 to AI-6) in mice (NMRI strain) after a second noise exposure (double-exposure group). Therefore, a single noise exposure group has been investigated 7 (7-day-group-single) or 14 days (14-day-group-single) after noise exposure (3 h, 5-20 kHz, 115 dB SPL peak-to-peak). The double-exposure group received the same noise trauma for a second time 7 days after the initial exposure and was either TUNEL-stained immediately (7-day-group-double) or 1 week later (14-day-group-double) and data were compared to the corresponding single-trauma group as well as to an unexposed control group. It was shown that TUNEL increased immediately after the second noise exposure in AI-3 and stayed upregulated in the 14-day-group-double. A significant increase in TUNEL was also seen in the 14-day-group-double in vMGB, mMGB and AI-1. The present results show for the first time the influence of a repeated noise trauma on cell death mechanisms in thalamic and cortical structures and might contribute to the understanding of pathophysiological findings and psychoacoustic phenomena accompanying NIHL.
2024-05-12T01:26:51.906118
https://example.com/article/1862
Trends To Watch For In 2002 -- Are You Ready for the 'Armored Cocoon'? Just when we thought things might be getting back to normal, or at least that we were getting used to the new paradigms of our post-Sept. 11 lives, futurist and marketing analyst Faith Popcorn – who's credited with coining the term cocooning in the 1980s -- has some news for us in her predictions for 2002: Get ready for the "armored cocoon." The recent trend toward "cocooning" -- feathering our nests instead of venturing out to meet new experiences – isn't entirely about fear in the wake of terrorist attacks, Popcorn says. Rather, it is isolationist entertainment that will keep us snug in our homes. "Consumers need constant entertainment from every device, including computers, DVDs, PDAs, cell phones and Global Positioning Systems," she says, "whether they in the car, on the street or in the elevator." Enter the armored cocoon, which Popcorn defines as "A safe and secure filtered environment, (with) top notch security systems, filtered air, filtered water and anything else that makes a consumer feel protected from the dangers of the outside world." The phenomenon has been in progress for some time, she says, because of our "need to protect oneself from the harsh, unpredictable realities of the outside world." But the armored cocoon isn't all bad news. It's a lot like turning a home into the same kind of controlled environment as our cars. In the new world, entertainment is the new opiate of the masses. "24-tainment." That, she says " entertainment as a drug." "The armored Cocoon is changing our neighborhoods and homes," Popcorn says, citing as evidence a few statistics: * New surveys show that only 17 percent of workers want that corner office; a clear majority would prefer to work in a home office. Further, the number of U.S. at-home workers is up 100 percent in the last five years, for a total of 10.1 million. In 20 years, one in seven workers will be a full-time telecommuter. Look at it this way: if her predictions come true, that's great news for the packaged media industry. Bring on the "24-tainment!"
2024-06-25T01:26:51.906118
https://example.com/article/8264
1. Field of the Invention The present invention relates to substrate processing apparatuses, and more particularly to a substrate processing apparatus for supplying prescribed chemicals onto substrates (e.g., semiconductor wafers, glass substrates used as bases of liquid crystal displays, glass substrates for photomasks, substrates for optical disks, etc.). 2. Description of Related Art As is well known, it is necessary in the process of manufacturing semiconductor apparatuses, liquid crystal displays, etc. to supply various chemicals (SOG, photoresist, developer, etchant, etc.) onto surfaces of such substrates as mentioned above. The aforementioned substrate processing apparatus is used for the supply of chemicals. The substrate processing apparatus supplies chemicals onto the substrates using the same basic principles regardless of the type of the chemicals being used. That is to say, it drops a prescribed chemical in the vicinity of the center of rotation of a substrate rotating in the horizontal direction and causes it to spread all over the surface of the substrate by centrifugal force. As an example of a substrate processing apparatus, an apparatus for supplying SOG (Spin On Glass, the apparatus is referred to as an SOG coater, hereinafter) will be described. FIG. 1 is a perspective view showing the entire structure of a conventional SOG coater. In FIG. 1, the SOG coater includes a wafer chuck 41 which holds by vacuum suction, for example a substrate (not shown) for rotatable movement about a rotation axis A (shown by the single dot line), a chemical dispensing nozzle 42 for dispensing a chemical onto the substrate surface, a nozzle arm 43 rotating around the rotation axis B (shown by the double-dot line) for placing the chemical dispense nozzle 42 in a prescribed position above the substrate, and a chemical introducing pipe 44 for introducing a chemical supplied from a chemical container (not shown) to the chemical dispense nozzle 42. The SOG coater also includes other structural elements, but they are not described and not shown in the drawing to clarify the invention. In the aforementioned structure, a substrate is placed on the wafer chuck 41 by a transfer unit, not shown. The nozzle arm 43 places the chemical dispense nozzle 42 in a prescribed position above the substrate. Then the chemical introduced from an external chemical container is supplied to the chemical dispense nozzle 42 through the chemical introducing pipe 44. The chemical dispense nozzle 42 dispenses the chemical onto the substrate surface. The SOG which is supplied onto the substrate surface by the SOG coater a chemical containing a silicon compound dissolved in a highly volatile organic solvent, such as alcohol, ester, ketone, or the like, which is mainly used for the purpose of planarizing interlayer insulating film formed on the substrate. SOG has the property of easily crystallizing at room temperature (about 23.degree. C.). Therefore, storing it at room temperature reduces its lifetime. Accordingly, when not used, the SOG is held in a chemical container and stored in a refrigerator (at a temperature of about 5.degree. C.) installed in a position separated from the substrate processing apparatus. When using SOG, it is necessary to take out the chemical container of SOG from the refrigerator, expose it to room temperature until it attains the proper temperature for use (room temperature or thereabouts), and then place it in a prescribed position in the SOG coater. Since the SOG takes a long time to attain room temperature, substrate processing also requires a long time, thereby reducing the operating efficiency of the SOG coater. Furthermore, since the chemical container includes only the required amount of SOG for substrate processing, an operator must exchange the chemical container for every single substrate processing. This will increase the operator's work load, and consequently lowers the operator's work efficiency. Furthermore, when some SOG is left after substrate processing is finished, it must be discarded because it can not be used in the next substrate processing. The aforementioned problems can be encountered not only with an SOG coater, but also with substrate processing apparatuses supplying other chemicals (photoresist, developer, etchant, etc.) onto substrate surfaces.
2024-07-24T01:26:51.906118
https://example.com/article/8651
About Wyoming, United States 44.9669-110.7055 The most famous feature at the Mammoth Hot Springs is the Minerva Terrace, a series of travertine terraces. The terraces have been deposited by the spring over many years but, due to recent minor earthquake activity, the spring vent has shifted, rendering the terraces dry.
2024-06-04T01:26:51.906118
https://example.com/article/3728
{ "id": "exercise-ball", "name": "Exercise Ball", "category": "Furniture", "games": { "nl": { "orderable": false, "set": "Welcome amiibo Update", "sellPrice": { "currency": "bells", "value": 400 }, "sources": [ "Harvey's shop" ], "rvs": [ "louie" ], "buyPrices": [ { "currency": "meow", "value": 3 }, { "currency": "meow", "value": 5 } ] }, "nh": { "orderable": true, "sources": [ "Nook's Cranny" ], "customizable": false, "sellPrice": { "currency": "bells", "value": 275 }, "buyPrices": [ { "currency": "bells", "value": 1100 } ], "variations": { "blue": "Blue", "pink": "Pink", "white": "White", "black": "Black", "gold": "Gold" } } } }
2023-09-20T01:26:51.906118
https://example.com/article/8340
/* Copyright 2017 The TensorFlow Authors. All Rights Reserved. Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with the License. You may obtain a copy of the License at http://www.apache.org/licenses/LICENSE-2.0 Unless required by applicable law or agreed to in writing, software distributed under the License is distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the License for the specific language governing permissions and limitations under the License. ==============================================================================*/ #include "tensorflow/core/framework/op_kernel.h" #include "tensorflow/core/lib/core/errors.h" namespace tensorflow { namespace { // Refer to the Op description for detailed comments. class GuaranteeConstOp : public OpKernel { public: explicit GuaranteeConstOp(OpKernelConstruction* ctx) : OpKernel(ctx) {} void Compute(OpKernelContext* ctx) override { const DataType input_dtype = ctx->input_dtype(0); OP_REQUIRES(ctx, input_dtype != DT_RESOURCE, errors::InvalidArgument( "Input tensor cannot be a resource variable handle.")); const Tensor& input_tensor = ctx->input(0); Tensor* output = nullptr; if (!ctx->forward_input_to_output_with_shape(0, 0, input_tensor.shape(), &output)) { ctx->set_output(0, input_tensor); } } bool IsExpensive() override { return false; } }; REGISTER_KERNEL_BUILDER(Name("GuaranteeConst").Device(DEVICE_CPU), GuaranteeConstOp); } // namespace } // namespace tensorflow
2023-09-28T01:26:51.906118
https://example.com/article/7238
Q: I am trying to see duplicate rows in pandas but what I get in return are not duplicates? When I run the code print len(combined_dataframe[combined_dataframe.duplicated()]) print sum(combined_dataframe.duplicated()) both tell me that I have 130,600 duplicate rows, so I wanted to see some of these duplicate rows. So I used the code print combined_dataframe[combined_dataframe.duplicated()].head() and what it gives me in return is a dataset like this. article_ID user_id date_clicked article_id send_time author_id topic_id 514 224 1 2015-01-02 18 2015-01-02 3612 3 515 224 1 2015-01-02 237 2015-01-02 9712 54 516 224 1 2015-01-02 131 2015-01-02 481 60 517 224 1 2015-01-02 277 2015-01-02 8842 57 518 224 1 2015-01-02 124 2015-01-02 3664 95 clearly they are not duplicates since I can see different values in the 4th, 6th and 7th columns. I didn't specify any columns to look for duplicates so it should return me only rows which are all duplicates, right? Or is there something wrong with the code that I am using to view the duplicate rows. A: I think you need add parameter keep=False to function duplicated, if you need all duplicated rows: print combined_dataframe[combined_dataframe.duplicated(keep=False)].head() Docs: keep : {‘first’, ‘last’, False}, default ‘first’ first : Mark duplicates as True except for the first occurrence. last : Mark duplicates as True except for the last occurrence. False : Mark all duplicates as True. You get only first duplicated rows, because keep : 'first' is default value. If rows are still different, try sort_values.
2023-12-16T01:26:51.906118
https://example.com/article/3004
Description Escape the City and build that Country Home you have always wanted! This Great 1.110 acre build lot in Farmersville is the perfect place for you to put down roots in a quiet country town! Located on a paved county road, with agreeable deed restrictions, no mobiles. Quick access to Hwy 380 for easy commuting to McKinney or Greenville. School Information Description Escape the City and build that Country Home you have always wanted! This Great 1.110 acre build lot in Farmersville is the perfect place for you to put down roots in a quiet country town! Located on a paved county road, with agreeable deed restrictions, no mobiles. Quick access to Hwy 380 for easy commuting to McKinney or Greenville. Property Description Escape the City and build that Country Home you have always wanted! This Great 1.110 acre build lot in Farmersville is the perfect place for you to put down roots in a quiet country town! Located on a paved county road, with agreeable deed restrictions, no mobiles. Quick access to Hwy 380 for easy commuting to McKinney or Greenville.
2024-04-08T01:26:51.906118
https://example.com/article/6227
Q: Convergence of series: hint I was solving some questions of analysis, and after long time, I came across analysis, I didn't get any direction. Q. Discuss the convergence of following series. (1) $\sum_{n=1}^{\infty } [(n^3+1)^{1/3}-n]$. (2) $\sum_{n=1}^{\infty } [(n^4+n^3+n^2+n+1)^{1/4}-n]$. Any hint for checking convergence? What I immediately did was following: $f_n=(n^3+1)^{1/3}-n \leq (n^3+n^3)^{1/3}-n=(2^{1/3}-1)n=g_n$ but series $\sum g_n$ do not converge, we can't say about given series. I don't get any other direction. A: $(n^3+1)^{1/3}-n=n\left(\left(1+\frac 1 {n^3}\right)^{\frac 1 3}-1\right)=n\left(\frac 1 {n^3} + o\left(\frac 1 {n^3}\right)\right)=\frac 1 {n^2} + o\left(\frac 1 {n^2}\right)$ which are both general terms of convergents series. Hence 1 is convergent. I'll let you do 2
2024-01-24T01:26:51.906118
https://example.com/article/5109
The critical role of water at the gold-titania interface in catalytic CO oxidation. We provide direct evidence of a water-mediated reaction mechanism for room-temperature CO oxidation over Au/TiO2 catalysts. A hydrogen/deuterium kinetic isotope effect of nearly 2 implicates O-H(D) bond breaking in the rate-determining step. Kinetics and in situ infrared spectroscopy experiments showed that the coverage of weakly adsorbed water on TiO2 largely determines catalyst activity by changing the number of active sites. Density functional theory calculations indicated that proton transfer at the metal-support interface facilitates O2 binding and activation; the resulting Au-OOH species readily reacts with adsorbed Au-CO, yielding Au-COOH. Au-COOH decomposition involves proton transfer to water and was suggested to be rate determining. These results provide a unified explanation to disparate literature results, clearly defining the mechanistic roles of water, support OH groups, and the metal-support interface.
2024-02-14T01:26:51.906118
https://example.com/article/5096
Overview Details The faux chronograph timepiece from Geneva's Platinum collection combines class and style to make this watch perfect for any occasion. The mother of pearl face is decorated with slightly masculine Roman numerals and three decorative dials. Shiny gold-tone hardware and face accents make this watch perfect for dressier occasions. A push lock clasp makes application simple and keeps your watch securely fastened. Adjustable links make it easy to wear this timepiece tighter on your wrist or looser for the boyfriend style appearance. The face on this watch measures 1.5 inches in diameter and the links are .75 inches wide. Buy one today and start saving while quantities last.
2023-10-11T01:26:51.906118
https://example.com/article/4510
A switching regulator for generating a direct current by switching a direct current at a high frequency, transforming the resultant current in a transformer and then rectifying the transformed current has advantageous features that it is constructed in small dimensions and operates at a high efficiency. By virtue of the foregoing advantageous features, the switching regulator has been widely used as a power supply unit for various electric instruments and equipments. In recent years, to reduce a load to be borne by a switching element and moreover improve operational efficiency, a current resonance converter of the type including a switching regulator added with a resonant circuit has been used increasingly. With respect to the current resonance converter as constructed in the above-described manner, it is important from the viewpoint of protection of a switching element and an operational efficiency that an ON/Off operation is performed by the switching element while an electric current is maintained in the zero state (zero-current switching). To perform a zero-current switching operation, it is required that an intensity of electric current flowing through a resonance circuit assumes a value lower than a predetermined one. As the intensity of the electric current flowing through the resonant circuit is increased, components constituting the resonant circuit are excessively heated, resulting in the running life of each component being shortened. Under the foregoing circumstances, the current resonance converter is required to include a protection circuit for protecting it from the influence of an overcurrent. To protect the current resonance converter from the influence of an overcurrent, a current transformer ha been hitherto arranged on the primary coil side of a transformer to measure an alternate current. Driving of the switching element is controlled based on the direct current which has been generated by detecting the alternate current, rectifying the alternate current and then smoothing the resultant current. However, as long as the alternate current is detected by using the current transformer, it is practically difficult to protect the current resonant converter from an abnormal state such as short circuit or the like malfunction of an inductor and a capacitor constituting the resonant circuit. Another problem is that the conventional current resonance converter has a degraded property of responsiveness in respect of protection of the switching element because of arrangement of a smoothing circuit for smoothing an electric current outputted from the current transformer. Another problem is that the conventional current resonance converter is constructed in larger dimensions. As described above, with respect to the protection circuit for the conventional current resonant converter, since an electric current flowing through a primary coil of the transformer is detected by the current transformer, it is difficult to detect an abnormal state due to short circuit of an inductance and a capacitor constituting a series resonant circuit. Consequently, the conventional current resonance converter has a degraded property of responsiveness in respect of protection of the switching element. In addition, the conventional current converter is unavoidably constructed in large dimensions with a heavy weight because of arrangement of the current transformer. The present invention has been made in consideration of the aforementioned problems to be solved. An object of the present invention is to provide a current resonance converter which makes it possible to protect the converter from an abnormal state due to short circuit or the like malfunction of an inductor and a capacitor constituting a resonant circuit. Another object of the present invention is to provide a current resonance converter which has an excellent property of responsiveness in respect of protection of a switching element and moreover assures that the converter can be constructed in smaller dimensions with a lighter weight.
2024-02-16T01:26:51.906118
https://example.com/article/8606
As regards the interesting discovery of a novel BRCA1 mutation in a family of Palestinian Arabian origin (Kadouri et al., [@B2]), we would like to state that all gene mutations bring about necessarily local biological activity modification, otherwise, gene mutations would be meaningless innocent bystanders (Stagnaro-Neri and Stagnaro, [@B24]; Kadouri et al., [@B2]; Stagnaro, [@B13]). In the present article we suggest an original clinical tool for the diagnosis of Inherited Real Risk (IRR) of breast cancer which can support the current sophisticated ways for breast cancer risk assessment such as, e.g., the traditional breast physical examination, and the denaturing high performance liquid chromatography (DHPLC) to screen for mutations of BRCA1- BRCA-2 (Kadouri et al., [@B2]), which have been linked to hereditary breast and ovarian cancer, and inheriting this mutation increases the risk of developing breast/ovarian cancer. Furthermore, this last evaluation is expensive for National Health Service (NHS), and not applicable for all women and men. Quantum Biophysical Semeiotics (QBS) theory provides a clinical, reliable method both for bed-side diagnosis and breast cancer primary and pre-primary prevention, according to the Manuel\'s Story (<http://www.sisbq.org/qbs-magazine.html>) (Stagnaro and Stagnaro-Neri, [@B21]). QBS is a new discipline in medical field and an extension of the classical medical semeiotics with the support of quantum and complexity theories (Caramel and Stagnaro, [@B1]). It is a scientific trans-disciplinary approach that is based on the "Congenital Acidosic Enzyme-Metabolic Histangiopathy" (CAEMH) (Stagnaro and Caramel, [@B17]), a unique mitochondrial cytopathy that is present at birth and subject to medical therapy. The presence of intense CAEMH in a well-defined area (e.g., myocardium) is due to gene mutations in both n-DNA and mit-DNA. This is the basis for one or more QBS constitutions (Stagnaro and Stagnaro-Neri, [@B22]), in our case, Oncological Terrain (Stagnaro, [@B6]), which could bring about their respective IRR, i.e., IRR of cancer (Stagnaro, [@B14]; Stagnaro and Caramel, [@B23], [@B18],[@B19]). The QBS method allows the clinical and pre-clinical diagnosis of the most severe diseases such as the IRR of breast cancer (Stagnaro, [@B6], [@B8],[@B9],[@B10],[@B11]), which is achieved in the easier way through the auscultatory percussion of the stomach (Stagnaro, [@B5], [@B12]). The patho-physiology of QBS reflexes is based upon local microvascular conditions. In case of genetic alteration of both DNAs, intense CAEMH, and IRR of breast cancer there is a microcirculatory remodeling, worsened by well-known environmental risk factors, due to vasomotility and vasomotion impairment (e.g., functional imperfection) and structural obstructions, i.e., pathological Endoarteriolar Blocking Devices (EBDs) and Arteriovenous Anastomosis (AVA) (Stagnaro and Stagnaro-Neri, [@B21]; Stagnaro, [@B14]; Stagnaro and Caramel, [@B17]). With the aid of QBS method, physicians can bedside recognize, in an easy, quick, and reliable manner, the possible presence of maternally-inherited Oncological Terrain, and Oncological terrain-dependent, IRR, based on the presence of typical microcirculatory remodeling of mamma microvessels, due to newborn-pathological, type I, subtype (a) Oncological, EBDs (Stagnaro and Stagnaro-Neri, [@B21]; Stagnaro and Caramel, [@B17]), conditio sine qua non of breast cancer (Stagnaro, [@B14]). In spite of genetic testing, bedside ascertaining particularly breast cancer IRR in well-defined breast quadrant(s) allows physicians to perform an efficient malignancy primary prevention in a few minutes. In addition, testing for mutations breast cancer susceptibility genes or for their diminished expression adds to the ability to assess breast cancer IRR at an individual level, because local biological activity, examined with the aid of QBS, results abnormal. Really, by means of sophisticated semeiotics images we cannot localize in mamma quadrant(s) the possible IRR of breast cancer, in BRCA 1, or BRCA1 mutation, E1373X in exon 12 and BRCA 2 in exons 9, 10, 11, 17, 18, and 23 positive women (and men) (Stagnaro-Neri and Stagnaro, [@B24]; Stagnaro, [@B6], [@B14]; Stagnaro and Stagnaro-Neri, [@B21],[@B22]; Stagnaro, [@B13]; Stagnaro and Caramel, [@B17]; Caramel and Stagnaro, [@B1]). In turn, by means of QBS method, physicians can clinically recognize firstly the Oncological Terrain in a quantitative way (Stagnaro, [@B15]), and then, but not in all cases, the IRR of breast cancer: individuals with Oncological Terrain do not show necessarily also breast cancer IRR (Stagnaro, [@B8],[@B9],[@B10],[@B11]). As a matter of fact, breast cancer, bedside subdivided regarding ERs and cytokine content, involves exclusively the subject positive for Oncological Terrain (Stagnaro, [@B6]; Stagnaro and Stagnaro-Neri, [@B21],[@B22]; Stagnaro and Caramel, [@B17]; Caramel and Stagnaro, [@B1]). We know that multiple cytokines, e.g., Interleukin 12 (IL-12), and Interleukin 23 (IL-23) were over-expressed in ER-negative breast carcinoma and that the three major cytokines---MCP-1, MIP-1beta and IL-8---were correlated to inflammatory cell component, which could account for the aggressiveness of these tumors (Stagnaro-Neri and Stagnaro, [@B24]; Stagnaro and Stagnaro-Neri, [@B21]; Stagnaro, [@B8],[@B9],[@B10],[@B11], [@B13]; Stagnaro and Caramel, [@B17]; Caramel and Stagnaro, [@B1]). An early bedside diagnosis of breast cancer IRR allows both a pre-primary and primary prevention (Stagnaro and Caramel, [@B20]) and detection, corroborated by several other QBS signs such as the bedside evaluation of glycocalyx (Stagnaro, [@B16]). Interestingly, from clinical and experimental data there is an emerging evidence that familial breast cancers, including BRCA1 and its related forms, could be estrogen-sensitive and interactions between BRCA1 gene expression and estrogens have been reported (Zheng et al., [@B26]; Lindgren et al., [@B3]; Venkitaraman, [@B25]). Moreover, BRCA1 blocked the expression of two endogenous estrogen-regulated gene products in human breast cancer cells (Ma et al., [@B4]). These knowledge accounts for the reason QBS allows differential diagnose between positive and negative breast cancer at the bedside. In addition, the presence of breast ER, even localized in a mamma quadrant, is bedside recognized rapidly and in a reliable manner, by occurrence of type I, associated, microcirculatory activation, subsequent to oestrogene secretion pick test, i.e., digital pressure upon Estrogen-RH centers, lasting 15 s (Stagnaro and Stagnaro-Neri, [@B21]). On the contrary, in absence of ER~s~ local microcirculatory blood-flow persists unchanged, evaluated as the latency time of mamma-gastric aspecific reflex (Stagnaro and Stagnaro-Neri, [@B21]; Stagnaro, [@B8],[@B9],[@B10],[@B11]), As far as assessing cytokine levels in the breast (or in all other biological systems), it is sufficient to know that, in health, intense breast trigger-points stimulation by finger nail, i.e., it brings about a gastric aspecific reflex after 10 s latency time. On the contrary, in presence of cytokines, latency time of this reflex is lower and it results inversely related to the underlying cytokine level. Mutations of BRAC1 and BRAC2 genes have been linked to hereditary breast and ovarian cancer. Inheriting these mutations, the risk of developing breast/ovarian cancer generally increases, but genetic tests cannot occur in every laboratory. QBS allows physicians to bedside recognize in quantitative way and precisely localize from birth both breast cancer IRR and the presence of BRCA-1 as well as BRCA-2 mutations. In conclusion, with the simple use of the stethoscope, QBS diagnostic method is useful for a large scale clinical diagnosis of Oncological Terrain-Dependent and breast cancer IRR, so allowing an effective primary and pre-primary prevention. [^1]: This article was submitted to Frontiers in Cancer Genetics, a specialty of Frontiers in Genetics. [^2]: Edited by: Parvin Mehdipour, Tehran University of Medical Sciences, Iran [^3]: Reviewed by: Parvin Mehdipour, Tehran University of Medical Sciences, Iran
2024-02-15T01:26:51.906118
https://example.com/article/8938
Take that Apple! Microsoft has allegedly donated money to the famous iPhone hacker Geohot for his legal battle against Sony. In case you didn’t know by now, George “Geohot” Hotz is in a legal skirmish with Sony because he jailbroke the PS3. Since Geohot represents the jailbreak community, he obviously isn’t on Apple’s good list. Perhaps Microsoft wanted to take a little jab at Apple by supporting one of the most famous iPhone hackers… About a week ago, Geohot asked for donations from the community towards his legal fees for the trial with Sony. He had a successful first round, and rumors are that he raised $10,000+ in funds over one weekend. Apparently, Microsoft may have had a big part in raising such a large figure. We must clarify that it is not confirmed by either two parties involved that Microsoft did in fact give money to Geohot for legal fees. But someone close to the situation has claimed that Geohot did indeed receive considerable financial support from Apple’s arch rival, “The information comes from a source close to the matter who must remain anonymous that in an attempt to help George win his case, and thus making it legal to hack the PlayStation 3, the company anonymously donated a large lump of cash so he could cover his court fees; remember: only 2 days had passed after Hotz requested the money and then received all of the money.” This wouldn’t be the first time that Microsoft has reached out to Geohot. The tech company also invited him to develop for Windows Phone 7. We wish Geohot the best in his legal battle, even if the funding is coming from Apple’s nemesis. To me it would be more of a jab at Sony not Apple it’s probable Microsoft saying they will be more flexible with the xbox. Microsoft doesn’t have a fight in the phone business yet and it’s fight would be Android if anything. Microsoft and Android have more of a fight getting more of their phones on each carrier, Apple just has one phone on two carriers. Burge I case you forget the iPhone is world wide… There are 4 carriers in the UK that have the iPhone on there network … VnABC And many more in other countries!!! Manuel Wow, I was half asleep when I was reading this, but damn did it wake me up. This is a shot at Sony if its true. If it really is, then I can imagine if they help with lawyers too. After this whole thing, I lost a lot of respect with Sony. Weebsurfer Either way, jab at MS or at apple; kick-ass prescidence!!!! http://www.iphonedownloadblog.com jhovanny paes yes now thats what am talking about go geohot and as for microsoft you guys show something 2 me that i never thought about you guys thanx microsoft Heyo Nice Microsoft! Great respect for that Sandy880 Microsoft has a great future ahead…. charlesrubowski Great future as Geohot whore? Pitiful. Microsoft pretending to be nice guys… Well that’s no surprise. Microsoft really made a lot of wrong moves lately. Sony can be an evil empire but at least they have balls! Doug I think this is more of an xbox vs playstation shot by Microsoft. But I guess if you’re an apple fanboy you just try to put some kind of iPhone spin on everything. If you love Steve jobs so much why don’t you go suck his dick and then you’ll both die of aids Doug I think this is more of an xbox vs playstation shot by Microsoft. But I guess if you’re an apple fanboy you just try to put some kind of iPhone spin on everything. If you love Steve jobs so much why don’t you go suck his cock and then you’ll both die of aids Maybe he’ll give you apple swag you can give away just to get hits on your site and get people to comment your dumb articles. I use to really like this site. http://abloginthelife.com Paul Zammit The reasoning here is simple. Microsoft wants what Apple has with their jailbreak community. Great future? as Geohot whore? Pitiful. Microsoft pretending to be nice guys… Well that’s no surprise. Microsoft really made a lot of wrong moves lately. Sony can be an evil empire but at least they have balls! SoCoMagNuM good for microsoft. im not funding him none whatsoever. if he was going against the government laws that made all this possible then maybe id have more to input. geohot is fighting the wrong fight. its the government that is limiting us with all these laws. yeah many think that its a device you paid for you should be able to use it as you please. that kool but if you agree to terms and violate them then thats breaking laws. distributing a company’s security code that you DONT own mainstream on the web is also against the law. it wasnt his or yours to destribute to begin with. so why would i support a criminal? support his cause maybe but hes still a criminal. that i dont do. Rob Woot! Go Microsoft. Smite Those Japanese Sony Pricks! Rob is a ballbag You have your head up your arse dont ya… most of the technology brought to the world comes from the orient you fuckin prick. HEAS MS is screwing themselves because they are supporting piracy and they are screwing game developers business with sony…They are also telling us that it is ok to hack the 360 and we should be concern of gettimg banned Polemicist Before people comment about laws broken or piracy support please back up your allegations with some facts as it just shows that you don’t really understand what has been done or what laws are being walked around. LGgeek If true would definitely up my opinion of MS. bonneville1992 wow, never though MS would do something like this, thats awsome. Have a little more respect for MS. Tim Lin This is not just a battle between a hardware hacker and Sony. This represents a battle between our rights to use our own hardware against the legal system that supposedly grant corporations whatever they so desire. And don’t think that Microsoft and Sony have anything against each other. They don’t. According to Microsoft’s business mix, Sony is one of Microsoft’s biggest client. Literally all of Sony’s computers are based on the Microsoft operating systems. Finally, rumors like this is baseless and is often stirred from blogs that claim to have obtained unsubstantiated third party information. Whysonobi I hope heights loses the battle, the guy needs to go down. It will be clear if Microsoft did fund him because Sony was granted access to his paypal account. Any one who was dumb enough to donate: Sony knows who you are now. Anyone dumb enough to visit his jailbreak site: Sony has list of all ip addresses they know who you are. Don’t be surprised if you get a court notice in the mail. Jailbreak community will go down and geohotz is done for! Hahaha! Whysonobi I hope heights loses the battle, the guy needs to go down. It will be clear if Microsoft did fund him because Sony was granted access to his paypal account. Any one who was dumb enough to donate: Sony knows who you are now. Anyone dumb enough to visit his jailbreak site: Sony has list of all ip addresses they know who you are. Don’t be surprised if you get a court notice in the mail.
2023-11-15T01:26:51.906118
https://example.com/article/6878
House recesses with no deal on taxes (AP) Tuesday Sep 30, 2008 at 12:01 AMSep 30, 2008 at 8:38 PM House Democrats said Monday they would not relent in their dispute with the Senate on a major tax relief package, increasing odds that businesses could lose out on critical tax breaks and millions could get hit by the alternative minimum tax this year House Democrats said Monday they would not relent in their dispute with the Senate on a major tax relief package, increasing odds that businesses could lose out on critical tax breaks and millions could get hit by the alternative minimum tax this year. House Majority Leader Steny Hoyer, D-Md., suggested it might be next year before consensus can be reached on a tax initiative that includes adjusting the AMT, providing tax relief to disaster victims and extending tax credits for renewable energy development, business investment and individual education and child care costs. The House had intended to adjourn for the year on Monday. But that plan abruptly changed when lawmakers rejected the $700 billion financial bailout legislation, forcing congressional and administrative leaders to regroup. The House now plans to reconvene on Thursday, perhaps giving lawmakers another shot at the tax bill. Lawmakers in both the House and Senate stressed the tax relief bill would create tens of thousands of jobs and contribute to the nation’s energy independence. But House Democrats insisted more of the package, totaling $138 billion in House bills, be paid for so as not to increase the deficit. Senate Republicans, averse to new taxes, said any changes in the Senate-passed tax bill would kill the entire package. The House “has taken the morally and fiscally responsible position,” said Rep. Mike Ross, D-Ark., a leader of the 49-member Blue Dogs, a group of fiscally conservative Democrats. Meanwhile, “Republicans in the Senate continue to hold up this important legislation,” he said. As Ross spoke, across the Capitol Senate Majority Leader Harry Reid, D-Nev., tried to bring up a House-passed bill dealing with renewable energy and extension of business and individual tax breaks that expired last year or will lapse at the end of this year. Republicans objected to consideration of the bill. Reid acknowledged “we can’t get it done” because Senate Democrats don’t have the votes to move the bill without GOP cooperation. He said he hoped the Blue Dogs “would understand we are not trying to embarrass them or anyone else.” The Senate still plans to meet later in the week before leaving for the year, and could conceivably try to take up the House-passed AMT fix separately. Hoyer, joining the Blue Dogs at a news conference, said he would continue to work with Reid and “see what can be done even if it is next year.” That delay would be a blow, at least temporarily, to a wide group of business and individual taxpayers. Without congressional action, those affected by the AMT, originally aimed at just a few very rich tax dodgers, would grow from around 4 million to up to 26 million. Those hit by the tax, most earning less than $200,000, would pay an average extra tax of $2,000. The solar industry alone has estimated it could create more than 400,000 jobs if it receives an eight-year extension of its investment tax credit. “With hundreds of thousands of American jobs and billions of dollars in clean energy investment at risk, we urge congressional leaders not to leave for the election recess” until reaching an agreement, the CEOs of national hydropower, geothermal, solar and wind energy associations said in a statement. Business groups have warned of serious repercussions if Congress does not renew the R&D credit, which expired at the end of last year, and various advocacy groups have pleaded for renewals of individual tax breaks affecting those paying college tuition, those from states with state and local sales taxes and teachers with out-of-pocket expenses. The Senate last week, on a 93-2 vote, passed a massive package that included AMT relief, $8 billion in tax relief for those hit by natural disasters in the Midwest, Texas and Louisiana, and some $78 billion in renewable energy incentives and extensions of expiring tax breaks. In a compromise worked out with Republicans, the bill does not pay for the AMT and disaster provisions but does have revenue offsets for part of the energy and extension measures. Never miss a story Choose the plan that's right for you. Digital access or digital and print delivery.
2024-02-09T01:26:51.906118
https://example.com/article/1700
Q: Make the new JDK 11 java.net.http package visible in Netbeans 10 After opening an existing Netbeans 8 project in Apache Netbeans 10, and setting the Java version to the newest JDK 11, Netbeans is still unable to resolve references to the new java.net.http package which includes improved HTTP handling with classes such as HttpClient, HttpRequest, and HttpResponse. What needs to be done to make the new java.net.http package visible to the existing project in Apache Netbeans 10? A: In order to make the new java.net.http package visible to your project, you'll need to configure your project so that it includes the module name "java.net.http" (found at the top of the Javadoc page for the package). The existing Java project imported from Netbeans 8 will not have any knowledge of the module system introduced in Java 9, so initially you'll have no way to add a module requirement. To fix this, right-click on your Java project in Apache Netbeans 10 and then select "New" and then "Java Module Info...". In the dialog which appears, check the details and click the "Next" button and then confirm that you're happy to move entries out of the classpath and into the modulepath if offered. You'll now find a new file "module-info.java" in the default package of your project (under "Source Packages"/"<default package>"). Open the "module-info.java" file and then check your project for error markers (the angry red circles on the file icon, showing that the file contains a parsing or compilation error). Open the files which report errors and you'll probably find that some of the import statements at the top of your Java files now report an error such as this: "Package javax.xml.stream is not visible: (package javax.xml.stream is declared in module java.xml but module MyApplication does not read it)" This error would mean that you'd need to add the following line to the module MyApplication definition (where "MyApplication" will be a name based on your own project) found within your "module-info.java" file: requires java.xml; Save that change and you should now see the specific error about javax.xml.stream disappear. Repeat this process until all of the visibility errors vanish from your project. (If your project doesn't use any non-core modules then you may not see any errors at all.) Finally, once all other visibility errors are out of the way, add this line to your module MyApplication definition: requires java.net.http; Save that change, and now when editing your project code in Apache Netbeans IDE 10 you should be able to see and use the new java.net.http classes such as HttpClient.
2024-03-11T01:26:51.906118
https://example.com/article/2215
The Alberni District Secondary School (ADSS) gym was once again home to wrestling action last weekend as Port Alberni hosted the annual Alberni Armada Wrestling Invitational. The 36th annual tournament ran Friday, Feb. 1 through Saturday, Feb. 2, drawing wrestlers from 50 schools across the province to battle it out for team titles in three different age divisions. ADSS was led by gold medals from Kyle Parkar in the cadet division and Seth Price, Owen Spencer, Jayden Iverson, Scott Coulthart, Paige Maher and Miranda Barker in the juvenile division. Evan McLeod, Carter Duperron, Jayce Clayton, Mackenzie Boudreau and Jackie-Lynn Croft earned silver, while Bobby McKenzie and Mason Bodnar won bronze medals. Cassie Campbell, Ezra Frost and Prateesh Giri each placed fourth. Rounding out the scoring was Noah Cloke, Brett Lehtonin, Cole Robinson, Darien Van Ingren and Conner Alexander in fifth, and Duncan Richardson placing sixth. As a team, the ADSS Armada won the Juvenile Boys and Girls divisions. The Alberni Junior Club also finished well at the tournament, with Grant Coulthart taking the silver medal and Momo Parzanishi, Oliver See, and Victoria Hall finishing with bronze. Nolan Cross, Grady Miller, Alex McKenzie, Kaden Thompson, Danika Currie and Janna Hiltz each finished in fourth place. James Messenger, one of the invitational’s co-chairs, said he was impressed with the work both on and off the mat by ADSS atheletes. “They all did tremendous,” he said after Saturday’s finals. Organizers found themselves short on mat officials on Friday, so many of the ADSS competitors stepped up to spend time referreeing, scorekeeping and mat cleaning. “They did a first class job on the floor and behind the scenes,” said Messenger. “It’s so appreciated and it makes it easy to do this when you see the kids giving back.” MAT TALK…ADSS lost a very close dual meet match to the Vancouver College Fighting Irish for the McEvay Post on Friday, Feb. 1 by a score of 54-53. Wrestling Sign up here Get local stories you won't find anywhere else right to your inbox. Dylan Villarroel of Vancouver College (in purple) topples Alberni’s Owen Spencer in the 66 kg final. Spencer was the eventual winner of the match. ELENA RARDON PHOTO Miranda Barker (in red) attempts to pin Jackie-Lyn Croft in the all-Armada 90 kg final. Barker was the eventual winner of the match. ELENA RARDON PHOTO Paiger Maher of ADSS (in red) battles it out with Kaitlyn Jinda of Carihi. Maher won gold in the close contest. ELENA RARDON PHOTO
2024-07-16T01:26:51.906118
https://example.com/article/4893
England Make Key Coaching Appointment Ahead Of Australia Tour Bath Rugby can confirm that First Team Coach Neal Hatley will join the England Rugby coaching team at the end of the 2015/16 season. Hatley arrived at Bath in 2012 from London Irish, the club for whom he made over 250 appearances as a loosehead prop. Since then, his status as one of the best forwards coaches in the game has continued to flourish. “It’s been a real privilege to have been part of Bath Rugby these past four years,” said Hatley. “I’d like to thank my fellow coaches, players and staff for an unforgettable time, during which this team has reached some new heights. I’ll also never forget how great the Bath supporters have been, and I’m hoping we can give them more reason to cheer with two games remaining this season.” [adsenseyu2] Hatley reserved particular praise for players he has worked with at Bath: “Their hard work has afforded me this wonderful opportunity and I am extremely grateful to them for it.” On joining England Rugby, Hatley said: “I’d like to thank Bath Rugby for their understanding and allowing me to take up this fantastic opportunity. Being asked by Eddie Jones to be part of the national team’s coaching staff is a real honour, and a special moment for me and my family. It’s a very exciting time to be involved with this young England team and for the game in this country.” Head Coach Mike Ford added: “Neal’s work with our forwards has been exemplary, so it’s no great surprise that England have come calling. We’re really pleased for him, because it’s recognition of his four fantastic seasons of service to Bath Rugby. As a Club, we’ve now got a good opportunity to take a look out our coaching structure so that everything is in place ahead of a new campaign next season.”
2023-10-04T01:26:51.906118
https://example.com/article/4962
// // Generated by class-dump 3.5 (64 bit). // // class-dump is Copyright (C) 1997-1998, 2000-2001, 2004-2015 by Steve Nygard. // #import <objc/NSObject.h> @class DTTapLocal, DTXChannel; @interface DTTapServiceGuarded : NSObject { DTXChannel *channel; DTTapLocal *tap; _Bool useExpiredPidCache; _Bool tapWasStopped; } - (void).cxx_destruct; - (void)createTapWithConfig:(id)arg1; - (id)initWithChannel:(id)arg1; @end
2024-06-16T01:26:51.906118
https://example.com/article/5199
Baidu CEO Robin Li – The Wall Street Journal interviews. Mr. Li talks about Baidu’s dominance in China — where the search engine has more than 70% market share — and its international expansion plans. He also responds to questions about music piracy and Baidu’s plans to build an operating system, similar to Google’s Chrome OS.
2023-08-09T01:26:51.906118
https://example.com/article/2437
# Copyright 2016 Rackspace # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. import syntribos from syntribos._i18n import _ from syntribos.checks import has_string as has_string from syntribos.checks import time_diff as time_diff from syntribos.tests.fuzz import base_fuzz class CommandInjectionBody(base_fuzz.BaseFuzzTestCase): """Test for command injection vulnerabilities in HTTP body.""" test_name = "COMMAND_INJECTION_BODY" parameter_location = "data" data_key = "command_injection.txt" failure_keys = [ 'uid=', 'root:', 'default=', '[boot loader]'] def test_case(self): self.run_default_checks() self.test_signals.register(has_string(self)) if "FAILURE_KEYS_PRESENT" in self.test_signals: failed_strings = self.test_signals.find( slugs="FAILURE_KEYS_PRESENT")[0].data["failed_strings"] self.register_issue( defect_type="command_injection", severity=syntribos.HIGH, confidence=syntribos.MEDIUM, description=("A string known to be commonly returned after a " "successful command injection attack was " "included in the response. This could indicate " "a vulnerability to command injection " "attacks.").format(failed_strings)) self.diff_signals.register(time_diff(self)) if "TIME_DIFF_OVER" in self.diff_signals: self.register_issue( defect_type="command_injection", severity=syntribos.HIGH, confidence=syntribos.MEDIUM, description=(_("The time elapsed between the sending of " "the request and the arrival of the res" "ponse exceeds the expected amount of time, " "suggesting a vulnerability to command " "injection attacks."))) class CommandInjectionParams(CommandInjectionBody): """Test for command injection vulnerabilities in HTTP params.""" test_name = "COMMAND_INJECTION_PARAMS" parameter_location = "params" class CommandInjectionHeaders(CommandInjectionBody): """Test for command injection vulnerabilities in HTTP header.""" test_name = "COMMAND_INJECTION_HEADERS" parameter_location = "headers" class CommandInjectionURL(CommandInjectionBody): """Test for command injection vulnerabilities in HTTP URL.""" test_name = "COMMAND_INJECTION_URL" parameter_location = "url" url_var = "FUZZ"
2024-04-21T01:26:51.906118
https://example.com/article/9103
Parents report on stimulant-treated children in the Netherlands: initiation of treatment and follow-up care. The aim of this study was to describe current practices around initiation and follow-up care of stimulant treatment among stimulant-treated children in a nationwide survey among parents. A total of 115 pharmacies detected current stimulant users <16 years old in their pharmacy information system and sent parents a questionnaire regarding their child's stimulant treatment. Parents returned 924 of 1,307 questionnaires (71%). The median age of the stimulant users was 10 years and 85% were boys. In all, 91% were diagnosed with attention-deficit/hyperactivity disorder (ADHD). In 77% of the cases, the child or parents received other therapies besides stimulants-21% received psychotropic co-medication, with melatonin (11%) and antipsychotics (7%) being mentioned most frequently. Stimulant use was primarily initiated by child psychiatrists (51%) and pediatricians (32%), but most children received repeat prescriptions from general practitioners (61%). Of these 924 children, 19% did not receive any follow-up care, and transfer of prescribing responsibility increased the risk of not receiving follow-up care. The 732 children (79%) who were monitored visited a physician approximately twice a year. During follow-up visits, pediatricians performed physical check ups significantly more often. Stimulant treatment in The Netherlands is initiated mainly by specialists such as child psychiatrists and pediatricians. In the current study, follow-up care for stimulant-treated children in The Netherlands appeared to be poor, suggesting an urgent need for improvement.
2024-02-17T01:26:51.906118
https://example.com/article/7051
Hi, just a while ago I've subscribed to Data Analytics course for beginners. After going through a topic in a lesson, moving to next topic is quite cumbersome. I dint find topic list easily and also there is no option of auto loading of videos. I can see Udacity doing a great job in this usability aspect. Appreciate if you could incorporate this usability improvement suggestions ASAP. It would be great if more and more webinars would be arranged to benefit students of different countries as they cant attend the Bootcamp. I am from Ahmedabad,India. Please have some workshops and seminars in India also so that Indian students can also get benefited. I wasted my day on these. I am sure they were awesome 2 years ago but I have spent too much time today resolving issues because Eclipse and Scala IDE are too far ahead of whats in the videos now. Why keep teaching to Eclipse? The Scala IDE page has not been updated in forever. Why teach a product that is not keeping their documentation up to date? Massively disappointed in this. This should be a good course and 95% of the material probably still is amazing, but tooling is always the stumbling block in all Scala courses. Stop assuming people have come from a full-blown Java dev background. If Scala is to be used for data science and machine learning then new users of Scala are not coming from a Java background. Please update these videos to 2016 versions of s/w so that we can focus on learning Scala instead of learning what versions of Eclipse and Scala IDE and Scala and scalatest and sbt and .... we are really on now. I wasted my day on these. I am sure they were awesome 2 years ago but I have spent too much time today resolving issues because Eclipse and Scala IDE are too far ahead of whats in the videos now. Why keep teaching to Eclipse? The Scala IDE page has not been updated in forever. Why teach a product that is not keeping their documentation up to date? Massively disappointed in this. This should be a good course and 95% of the material probably still is amazing, but tooling is always the stumbling block in all Scala courses. Stop assuming…
2024-05-18T01:26:51.906118
https://example.com/article/5896
176 Kan. 334 (1954) 270 P.2d 255 FORREST K. LELAND, Plaintiff, v. THE KANSAS STATE BOARD OF CHIROPRACTIC EXAMINERS, Defendants. No. 39,382 Supreme Court of Kansas. Opinion filed May 8, 1954. Fred Hinkle, of Wichita, argued the cause for the plaintiff. Robert E. Hoffman, assistant attorney general, argued the cause, and Harold R. Fatzer, attorney general, was with him on the brief for the defendants. The opinion of the court was delivered by THIELE, J.: This is an original proceeding in mandamus to compel the State Board of Chiropractic Examiners to reinstate a license previously issued to the plaintiff and arising out of the following undisputed facts. On October 14, 1950, the above Board issued to plaintiff a license to practice chiropractic and thereafter he established an office in the city of Protection, in Comanche county. In November, 1951, a complaint was made to the Board that on or about August 1, 1951, the *335 plaintiff had been guilty of acts constituting a crime involving moral turpitude, and on December 1, 1951, at the direction of the chairman of the Board notice was given plaintiff that he might appear in person or by counsel at the regular January, 1952, meeting of the Board in Topeka and show cause why his license should not be revoked. On January 1, 1952, plaintiff appeared at the meeting of the Board and heard the charges as they were embodied in a letter from the county attorney of Comanche county. He denied the charges and the Board then adopted a motion that the investigation be continued and a committee be appointed to act for the Board. No date for a further hearing was fixed at that time. Later and on January 10, 1952, the Board held a special meeting at Coldwater for the purpose of continuing the investigation. Plaintiff was not present at this meeting. The record does not disclose he had any notice of this meeting. At this meeting a stenographic record was made of the persons interviewed or examined. This record discloses affirmatively that no person interviewed or examined was under oath. At the close of this hearing the Board went to Ashland to interview a witness, but no stenographic record was made. Later the Board adopted a motion that since all the evidence was in and there appeared to be no doubt, the Board find plaintiff guilty as charged, and another motion that plaintiff's license be revoked for violation of G.S. 1949, 65-1305. On September 30, 1953, plaintiff filed a petition with the Board for reinstatement of his license and was informed by the Board that it would not further review the case nor reinstate plaintiff's license. In his motion for the writ plaintiff directs attention to the fact the statute above noted contains no provision for review of or appeal from the ruling of the Board. The Board's answer contains an admission that the revocation of plaintiff's license was made on the ground set out in G.S. 1949, 65-1305 and that no conviction was ever had against the plaintiff of a crime involving moral turpitude, but that the members of the Board in good faith believed him to be guilty. The Board also alleges that from January 10, 1952, (date of revocation of license) to September 30, 1953, (date of asking reinstatement of license) plaintiff acquiesced in the Board's action and is now estopped to deny validity of its action, is guilty of laches and comes into court with unclean hands requesting relief in equity. In reaching a decision we do not find it necessary to discuss in detail each and every contention made by the parties to this proceeding. *336 Concededly the action of the Board in attempting revocation of the license issued to plaintiff was under G.S. 1949, 65-1305, which for present purposes reads: "The state board of chiropractic examiners may... revoke a license to practice chiropractic ... upon any of the following grounds, to wit: ... the conviction of a crime involving moral turpitude ... Any person who is a licentiate ... against whom any of the foregoing grounds for revoking ... a license is presented to said board with a view of having the board revoke ... a license, shall be furnished with a copy of the complaint, and shall have a hearing before said board in person or by attorney, and witnesses may be examined by said board respecting the guilt or innocence of said accused." There is no contention but that plaintiff was granted a license to practice chiropractic and the principal, if not the sole question, is whether that license was lawfully revoked. We have heretofore noted that the plaintiff had notice of the stated meeting in Topeka held January 1, 1952, and that he appeared there and that no date was fixed for the meeting later held at Coldwater at which he was not present. During the oral argument the Board's counsel frankly stated he did not believe that plaintiff had any notice of the second meeting. If that be true, plaintiff was deprived of any opportunity to cross-examine witnesses presented by the Board, to produce witnesses on his own behalf or to make his defense. We shall not, however, rest our decision solely on that invasion of his rights. Neither party to this action directs any attention to the statute creating the Board and defining its powers, but we note that it is provided in G.S. 1949, 74-1303, that: "Said board shall have authority to administer oaths, take affidavits, summon witnesses and take testimony as to matters pertaining to their duties." Just why this statute was not observed does not appear; that it was not observed is clear for the exhibit attached to the Board's answer affirmatively discloses that no witness at the Coldwater hearing was sworn. Whether we consider the phrase "conviction of a crime" from the standpoint of approved usage, or as technical words having a peculiar and appropriate meaning in law (G.S. 1949, 77-201, second) we can come to no conclusion other than that the phrase means, at least, either a plea of guilty or a verdict to that effect which is the result of a trial in a competent court. We need not here treat cases holding that "conviction" contemplates not only a plea or finding of guilty by verdict, but a judgment thereon. As bearing *337 on the question see Hogg v. Whitham, 120 Kan. 341, 242 Pac. 1021; Oberst v. Mooney, 135 Kan. 433, 438, 10 P.2d 846; Noller v. Aetna Life Ins. Co., 142 Kan. 35, 46 P.2d 22; 18 C.J.S. 98; 14 Am. Jur. 759. We have no doubt that as used in G.S. 1949, 65-1305, the phrase "conviction of a crime" means a conviction had as the result of a trial in a criminal action prosecuted by the state. The Board's answer admits there was no such conviction. Viewed in its entirety the record discloses that at a hearing of which the plaintiff had no notice, unsworn testimony was received by the Board and on the evidence so received the Board sat in judgment and convicted the plaintiff of a crime involving moral turpitude and on the basis of that conviction then ordered a revocation of plaintiff's license to practice chiropractic. In its brief the Board does not contend that plaintiff had notice, receipt of unsworn testimony is not mentioned, and no contention is made that the Board had any power to "convict" the plaintiff. The Board seeks to avoid the infirmities noted by contending that plaintiff acquiesced in its judgment. The gist of the Board's contention that the plaintiff should not prevail is that issuance of the writ of mandamus rests in the sound discretion of the court (citing The State, ex rel., v. Thomas County, 116 Kan. 285, 226 Pac. 745) and that technical compliance with the law will not be required where such compliance would require a violation of the spirit of the law (The State, ex rel., v. Comm'rs of Phillips County, 26 Kan. 419), and that the statute under which it acted is only one of a series of similar acts pertaining to the healing arts, all designed to protect the public against unqualified persons attempting to engage in such arts, and that the Board is authorized to revoke a license of any licensee where it finds him to be guilty of acts involving moral turpitude. That the issuance of the writ is discretionary nor that it will not issue where compliance would require a violation of the spirit of the law need not be debated, but where the statute, as in the instant case, points out clearly the ground of revocation and the manner in which it may be exercised, it may not be said that the Board has other and further powers. Under G.S. 1949, 74-1303 the Board has power to "adopt such rules and regulations as they deem proper and necessary for the performance of their duties," and assuming that under such power they could have made rules and regulations applicable to the situation involved, no such rules or regulations, if any were made, are included in the *338 record. We need not consider whether such a rule could have effect beyond the specific requirement of G.S. 1949, 65-1305. The Board further contends that the plaintiff acquiesced in its judgment, and authorities are cited that acquiescence waives the right to appeal or further contest. Without review it may be said the situations considered in those cases were acquiescence in judgments which it was contended were erroneous. The judgment now under consideration was in effect no judgment at all, for the plaintiff had no notice of the hearing and under the undisputed facts, the Board had no power or jurisdiction to find plaintiff guilty of a crime. The Board's contention that plaintiff is guilty of laches swings around its contention its revocation of plaintiff's license was merely irregular, a contention we cannot sustain. If any analogy may be drawn, it is that assuming plaintiff's license was properly revoked, under G.S. 1949, 65-1305 he had a period of two years thereafter to apply to the Board to have his license restored to him. While it would have been possible for the plaintiff to have commenced a proceeding at an earlier date, we are not persuaded that plaintiff has waited too long. And finally the Board contends that plaintiff should have brought an action to enjoin revocation of his license; that injunction was an adequate remedy and that in such circumstances the writ of mandamus must be denied. In support the only case cited is Simpson v. Kansas City, 52 Kan. 88, 34 Pac. 406. A reading of that case shows that validity of paving assessments was involved; that the time in which the assessment could have been attacked by injunction proceedings had expired, and that relief could not later be obtained by mandamus. That case is not decisive. As has been pointed out, the plaintiff was not given notice of the hearing, and the findings of the Board convicting plaintiff of a crime involving moral turpitude and the revoking of plaintiff's license were beyond its power. We are not persuaded that plaintiff was under any duty to seek injunction against a void order, and is not entitled to maintain the instant action. Whether plaintiff was guilty of any crime involving moral turpitude was a question to be determined by a jury in a criminal action brought by the state, and no such action was ever filed. Disregarding failure to give plaintiff notice the result is that his license was revoked unlawfully. The judgment of this court is that it be restored to him by action of the defendant Board, and it is so ordered. HARVEY, C.J., dissents.
2024-01-12T01:26:51.906118
https://example.com/article/2308
In the food industry, pieces of food are often packaged together in a single pack. U.S. Pat. No. 6,799,684 discloses a counting and portioning system which counts discrete articles that conform to predetermined specifications into lots having a predetermined number of articles or a target volume. The system includes at least one portioning bin positioned to receive articles from a conveyor. The at least one bin has at least first and second outlet gates for emptying articles into separate respective first and second locations. A scanner detects and maintains a count of articles that are received in the at least one portioning bin and fall within the predetermined specification. The detector unit generates an out-of-specification signal when an article or group of articles received in the at least one portioning bin falls outside the predetermined specification. A control unit causes the first outlet gate to open when the count or volume of articles is equal to the predetermined number and causes the second outlet gate to open in response to receipt of an out-of-specification signal. The profile/volume signature for every part scanned and delivered from the infeed to the scanner is stored. However, some situations in the food industry are such that U.S. Pat. No. 6,799,684 is inadequate. For example, when pork chops are packaged, the individual pork chops which make up the batch within a pack are often placed by hand on a plastic or polystyrene tray which is then wrapped. This is done manually because pork chops are quite difficult to handle in an automated system, and whilst some processes have been automated, it has previously been found necessary for the individual chops to be processed extensively by hand so as to identify chops which are misshapen or which should be rejected for some other reason. On a production line, it is possible for off-cuts of meat to be present which should not be included in the tray. For example pieces of meat which are at the end of a primal cut of pork loin which is cut up might need to be removed from the production line without being packed. A primal cut is a larger section of an animal carcass which is cut up to form cuts which are sold in shops. For example, a pork loin is cut up to form a number of cuts which are sold in shops including chops, cutlets and loin. Additionally, the meat packaging industry has had difficulty in putting individual pieces of meat together to form a batch on a tray in such a way that the pieces of meat are placed in the tray accurately and with some regard to the presentation of the pieces of meat within the pack. FIGS. 1 and 2 show a pack of meat in which four chops 1 are positioned within a tray 2. The chops 1 are positioned within the tray so as to overlap each other which not only reduces the size of the tray required to form the pack, but is also pleasing to the eye of the buyer of the pack 3. The buyer is able to see each of the chops 1 which is in the pack 3. This is reassuring because the end buyer is able to judge the freshness of the visible chops 1. The tray would normally be closed by a plastic film later in the production process, although the film is not shown in FIGS. 1 and 2. As mentioned above, the chops 1 are often placed in the tray 2 by hand in order to ensure their correct arrangement within the tray, and to remove any off-cuts or other pieces of meat which are not appropriate to include in the pack 3. Some automated machinery has been proposed. For example, it has been proposed to use a retractable conveyor in order to load items on to a tray. An example of such a machine would be the QuickLoader made by Marel hf. The QuickLoader is a servo-controlled retractable conveyor which loads items into trays or onto another conveyor, and is able to position the item in the tray or on the other conveyor accurately. The retractable conveyor includes a region of conveyor which, on retraction, is quickly removed from beneath the item which it is transporting. This allows the item to drop, and because the item is positioned substantially above the position it is intended to put the item, it drops into the correct position. However, it is only known to use such a machine so as to drop items into a tray one at a time, and by dropping them into the tray from slightly different positions, the overlapping arrangement shown in FIGS. 1 and 2 can be achieved. There are various ways of removing off-cuts. If an off-cut item travels along the conveyor, a mechanical arm could extend across the belt to remove it from the conveyor, or a robot arm using machine vision could identify and pick up off-cut items, or the off-cut is simply run off the end of the retractable conveyor to a suitable area for disposal. If, for example, the conveyor is programmed to place four pieces of meat in the tray, these are added one at a time, and each piece of meat is dropped into the tray from a slightly different position in order to achieve the overlap. However, because each piece of meat is added individually, it is felt that the machine can be made quicker by supplying a number of items to the conveyor which have already been formed into the batch which is to be dropped into the tray. Unfortunately, this leads to a number of difficulties which the inventors of the present application have sought to solve. It is not always possible to supply all of the items required to fill a batch in one go, and so the batch of items supplied does not always form a complete batch. This might be because of the presence of an off-cut, or for example a quality control system which rejects an item based on some predefined criteria. In this case, the incomplete batch may have to be rejected in order to free the production line for the next complete batch. Clearly, this is wasteful. The present invention aims to reduce the wastage and improve operation.
2024-03-15T01:26:51.906118
https://example.com/article/9951
It has been just over a year of growing and escalating crisis in Europe since the Maidan Square protests in Kiev succeeded in toppling Ukrainian president Viktor Yanukovych in February 2014. Those protests, which people in eastern Ukraine consider to have been the basis of a coup that brought down their government and thus trampled over their rights, were openly and materially supported by the West. It saw the likes of US Senator John McCain – a man whose quest for a new Vietnam War never ends – travelling to the country to personally urge on the demonstrators in Kiev alongside Britain’s Catherine Ashton, representing the EU. With this in mind, just imagine the reaction if Russian politicians had travelled to Mexico to urge on an anti-US protest movement to topple the elected government there and replace it with a pro-Russian alternative. And imagine too that at the head of this movement to topple said government were avowed neo-Nazis and fascists. Imagine what the reaction of the United States would have been then. Then we have the open admission by the US State Department’s Victoria Nuland, another visitor to Maidan Square during the protests, that the US had ‘invested’ $5billion dollars to help secure Ukraine’s ‘democratic future’ since 1991, combined with the staggering contents of a taped telephone conversation she conducted in early February 2014 with the US ambassador to Ukraine, Geoffrey Pyatt, during which they discuss whom they would like to see ‘appointed’ the new Ukrainian president, anticipating Yanukovych’s imminent demise. Is there anybody who seriously believes, given the aforementioned, that the US and its European allies were not engaged in a nefarious attempt to destabilize and undermine an elected government? Ukraine’s history is inextricably linked to Russia’s. In the east of the country especially, cultural, ethnic, economic, and historical links with Russia are deeply entrenched. It describes a fissure between east and west in which one half of Ukraine favors close and fraternal ties to Russia on the basis of those links, while in western Ukraine the dominant political current is anti-Russian and pro-West. Professor of Russian and European Politics, Richard Sakwa, explores the two competing models of statehood that have arisen on the basis of this fissure in his recent book, Frontline Ukraine (IB Taurus 2015). He describes the first of these as monist nationalism, involving the assertion of an ethnocentric identity that underpins a regeneration of the nation’s culture and social values along rigid and exclusionary nationalist lines. The second he refers to as a pluralist model, denoting an inclusive Ukrainian identity that embraces the disparate and diverse peoples and ethnic groups who make up the country, a consequence of its “long history of fragmented statehood.” These two contested models of statehood are being played out in the current Ukrainian conflict, which has been ramped up by the geopolitical stakes involved as Washington and its allies seeks to ‘contain’ Russia in a struggle over the continuation of the unipolarity enjoyed by the West since the collapse of the Soviet Union in 1991, or the multipolar alternative which Russia’s re-emergence as a global power demands. With over 5000 people killed and over a million displaced in the ensuing conflict in eastern Ukraine, the need for a political solution is self evident. Yet, judging by the intensity of the demonization of Vladimir Putin and Russia by the British political and media establishment recently, it is clear that an intensification of the conflict is the preferred option of those who refuse to accept that the British Empire no longer exists. When he’s not being compared to Hitler, a particularly offensive caricature for historical reasons, the Russian leader is being accused of harboring ambitions of forging a ‘Russian Empire’. Britain’s Defence Secretary Michael Fallon recently went so far as to make the ludicrous assertion that Putin constitutes as great a threat to Europe as Islamic State, further evidence of a political class that has suffered intellectual collapse. That such accusations stem from a nation whose government has played a key part in reducing Afghanistan, Iraq, and Libya to a state of chaos in recent years, only makes them all the more hypocritical if not downright noxious. But then this should come as no surprise, as we’ve been here before, haven’t we? Remember when Venezuela’s Hugo Chavez was being similarly demonized and held up as a dictator? His crime when he came to power and remained there on the back of numerous democratic elections was his refusal to allow Venezuela’s wealth to continue to be shipped out of the country, as it had been for decades, by a small group of Western-supported oligarchs. What the crisis and conflict in Ukraine has done is remind us that we live in a world in which the West’s interests and rights are the only ones deemed legitimate. This is what drives the repeated attempts by Washington and its allies, especially the UK, to push a hegemonic agenda. And whether in the Middle East or in Europe, it is this agenda that has been the root cause of instability and conflict that is unfolding in eastern Ukraine at present and which has pushed the Middle East into an abyss of carnage and barbarism. The US is a global hegemon. With over 1,000 military bases covering the planet, 11 navy battle carrier groups, and a military budget exceeding that of every other major industrialized nation combined, the challenge facing the world is not how to contain Russia but rather how to contain Washington. Vladimir Putin and Russia’s crime is to dare resist this US Empire, taking a stand against the hypocrisy, double standards, and complete lack of respect for other countries, cultures, and values it represents. The concerted attempt to expand NATO and an ever more militant EU all the way up to Russia’s border has nothing to do with democracy and everything to do with the projection of imperial power masquerading as democracy. Successive British governments have made a virtue out of attaching itself to Washington’s coattails. Indeed it is no exaggeration to state that when Washington sneezes Britain is ready with a handkerchief to blow its nose. It is a sordid and eminently dishonorable relationship that has allowed the UK to parade itself as a first rate power when in truth it hardly qualifies as third rate. An escalation of the conflict in eastern Ukraine benefits no one, least of all Russia. But the principle at stake is one that must be upheld – namely an end to the West dictating orders to the rest of the world and thereby spreading destabilization rather than stability, war instead of peace, and chaos at the expense of respect for international law. Only when the proponents of ‘democratism’, an ideology not to be confused with democracy, understand that the world is not theirs to control will there be an end to the never-ending spiral of conflict that shows no sign of abating anytime soon. The enemy is not Russia or Vladimir Putin. The enemy is hypocrisy. John Wight is the author of a politically incorrect and irreverent Hollywood memoir – Dreams That Die – published by Zero Books. He’s also written five novels, which are available as Kindle eBooks. You can follow him on Twitter at @JohnWight1
2023-11-09T01:26:51.906118
https://example.com/article/3626
Q: Can sublime text be used as hex editor? I am trying to open the skype .dat hex files and I would like to know if I can use Sublime text instead of the other 'dedicated' hex editors. A: Sublime text is one of my favorite editor, you can extent its capabilities by using plugins. I use its plugin HexViewer to view hex files. http://facelessuser.github.io/HexViewer/ In Sublime Text, press ctrl + shift + p (Win, Linux) or cmd + shift + p (OSX) to bring up the quick panel and start typing Package Control: Install Package. Select the command and it will show a list of installable plugins. Start typing HexViewer; when you see it, select it. Restart to be sure everything is loaded proper. A: Once the HexViewer is installed in sublime text, press "Ctr + Shift + P" to open the "command palette" now just type "HexViewer: Toggle Hex View", you can now see the hexadecimal code as well. All DOC in http://facelessuser.github.io/HexViewer/#hexviewer-toggle-hex-view
2023-08-01T01:26:51.906118
https://example.com/article/9097
White Sox's Jose Abreu: Avoids arbitration Abreu agreed to a one-year, $13 million deal with the White Sox on Friday, avoiding arbitration, Robert Murray of FanRag Sports reports. Abreu received a $2.175 million bump during his second year being arbitration eligible. It was well deserved after the 30-year-old slashed .304/.354/.552 with 33 home runs and 102 RBI during the 2017 season. Abreu will once again be a hot commodity heading into this upcoming campaign.
2023-08-18T01:26:51.906118
https://example.com/article/6817
Genesis 3:6 Translation And the woman saw that the fruit of the tree was good for food and delightful to the eye, but also [was] desirable for reasoning. So, she took fruit from the tree and ate it and she also gave some to her husband who was with her; and he ate it. Commentary desirable for reasoning: in biblical Hebrew there is fine, but important distinction between intellect and wisdom and this phrase, often translated as wisdom, conflates the two. A person who is wise exercises prudence and good judgment out of common sense or, more biblically, from a fear of the LORD. In the biblical view, adhering to the laws and will of God is the source AND proper expression of wisdom. By contrast, a person characterized as having or gaining reasoning skill, הַשְׂכִּיל (haskil) as found in this verse, is not necessarily virtuous. To be sure, a person described as haskil may thought to be insightful, successful, and/or prosperous, but also to be shrewd or clever. For example, in Daniel 8:25, haskil is used to describe a king, skilled in intrigue who, by his treachery (NET), shall make deceit prosper. In general, haskil suggests the ability to use one’s intellect in order to bring about one’s own ends — whether good or bad. who was with her: this phrase is left out of a number of English translations, notably the RSV, and its absence has resulted in the idea that Adam was not present when Eve ate of the fruit. In fact the Hebrew is quite clear. After eating the fruit, she turns to her husband who is with here and he eats also. Literal And the woman saw that the tree was good for food and that it was delightful to the eye, but also desirable for gaining reason. So, she took from the tree the fruit and ate and gave also to her husband with her and he ate. Commercial Bible Translations (nas) When the woman saw that the tree was good for food, and that it was a delight to the eyes, and that the tree was desirable to make one wise, she took from its fruit and ate; and she gave also to her husband with her, and he ate. (kjv) And when the woman saw that the tree was good for food, and that it was pleasant to the eyes, and a tree to be desired to make one wise, she took of the fruit thereof, and did eat, and gave also unto her husband with her; and he did eat. (niv) When the woman saw that the fruit of the tree was good for food and pleasing to the eye, and also desirable for gaining wisdom, she took some and ate it. She also gave some to her husband, who was with her, and he ate it. (nlt) The woman was convinced. She saw that the tree was beautiful and its fruit looked delicious, and she wanted the wisdom it would give her. So she took some of the fruit and ate it. Then she gave some to her husband, who was with her, and he ate it, too
2023-12-19T01:26:51.906118
https://example.com/article/8473
package com.hehe.controller; import com.hehe.entity.User; import com.hehe.repository.UserRepository; import org.springframework.beans.factory.annotation.Autowired; import org.springframework.web.bind.annotation.RequestMapping; import org.springframework.web.bind.annotation.RestController; import java.util.List; @RestController public class UserController { @Autowired private UserRepository userRepository; @RequestMapping("/") public List<User> get() { userRepository.save(new User("1", "", null)); return userRepository.findAll(); } }
2024-04-13T01:26:51.906118
https://example.com/article/2649
SCISSOR LIFT, 19’/20′ ELEC Description The Skyjack SJ3219 Scissor Lift is a low level access platform that is a safer alternative to using aluminium towers and steps. Non-marking tyres and mobility make the Skyjack SJ3219 Scissor Lift perfect for low level, safe working at height, indoors. The Skyjack SJ3219 Scissor Lift has a single deck, a narrow isle and a working height of 7.8m making it ideal for working in confined spaces. It is best used for office fitting out, retail (including fitting out and general up grading of store such as hanging point of sale), mechanical engineering, joinery, facilities management, electrical contracting, cleaning, plumbing, warehousing and decorating.
2023-09-04T01:26:51.906118
https://example.com/article/5101
As published in Law360, Los Angeles (September 6, 2017, 6:32 PM EDT) -- A former Oracle sales representative is asking a California federal judge to force the computer technology giant into arbitration, saying the company has refused to cooperate with the JAMS process after the representative dropped a $150 million putative class action bringing wage claims over allegedly unpaid commissions. Marcella Johnson voluntarily dismissed her lawsuit alleging unpaid commission and wage law violations after Oracle America Inc. produced a mandatory arbitration agreement. Though Johnson filed an arbitration demand with JAMS, as the agreement required, she now claims Oracle has “flatly refused” to participate in the process, according to a petition to compel arbitration filed Wednesday. “Among other things, Oracle has refused to pay its share of the arbitration fee or to participate in the selection of the arbitrator,” the petition says. “Based on Oracle’s recalcitrance, the arbitration cannot proceed.” Johnson claims Oracle is insisting that the parties’ relationship is governed by a second arbitration agreement, one with a provision that prohibits class arbitration. Michael Palmer of Sanford Heisler Sharp LLP, one of Johnson’s attorneys, told Law360 that they don’t believe the second document is a valid arbitration agreement that could supersede the first — but such disagreements over which arbitration agreement applies and whether class arbitration is allowed should be left up to the arbitrator. “It’s absolutely stunning that the company here is mandating that employees go to arbitration, but then itself is preventing an arbitrator from deciding on a very central issue,” he said. “They’ve essentially just gone into a kind of default mode where they are just refusing to engage at all.” Johnson’s petition also argues that even if Oracle’s purported second arbitration agreement is found to be valid, it is unenforceable under the Ninth Circuit’s 2016 decision in Morris v. Ernst & Young LLP, which found class waivers violate the National Labor Relations Act and is currently under review at the U.S. Supreme Court. “Oracle seeks to do nothing more than stonewall and delay this case in hopes that Morris may be overturned during the next Supreme Court term,” the petition says. “Oracle’s conduct has had the effect of bogging down both the court system and the arbitral forum with needless protracted litigation.” The petition seeks an order compelling Oracle to arbitrate the action before JAMS-San Francisco, pay its designated share of the fees and participate in the selection of the arbitrator — as well as an award of attorneys’ fees and costs. Johnson’s initial suit accused Oracle of holding back millions of dollars in commission wages owed to sales employees by changing commission formulas that applied to past sales, even sometimes after the commission had been paid. The commissions were reduced to align the employee pay with the company’s “financial forecasts and bottom-line goals,” according to her complaint. Johnson claimed Oracle told her she had a negative commission balance of approximately $20,000 after it “re-planned” how much she would be paid for sales she made in 2013. She quit after she made enough commission earnings to pay off the company-stated debt, according to her suit. The action brought claims for failure to pay commission wages in breach of California labor code and contract, failure to pay wages upon separation, and unfair competition, and sought an award of damages in excess of $150 million. Johnson filed a notice of voluntary dismissal in May of this year, followed up by an operative arbitration demand filed in September. The demand brings the same claims that the complaint did on behalf of Johnson and the putative class, as well as peonage and forced labor claims on behalf of Johnson. Palmer told Law360 that while exact figures from Oracle about its sales representatives affected by the commission changes aren’t yet available, Johnson’s legal team believes the class could easily have more than 1,000 individuals. Representatives for Oracle didn’t immediately respond to requests for comment on Wednesday.
2023-11-23T01:26:51.906118
https://example.com/article/4830
Vancouver Riot Must hand it to Vancouver Canucks hooligans, they sure know how to put their city on the world map with an old fashioned riot. Great job, people. You sure busted up that downtown Sears. But one specific idiot stood out to us. Pants on the Ground guy. If you lose your pants to a Vancouver cop and make the national news, you're a riot bro. And what about those guys jumping off Port-O-Crappers like WWE top ropes. Brought tears to our eyes. Go ahead, idiots, destroy your country. JUMP!
2024-05-28T01:26:51.906118
https://example.com/article/6211
Nonlinear Magnetization Dynamics Driven by Strong Terahertz Fields. We present a comprehensive experimental and numerical study of magnetization dynamics in a thin metallic film triggered by single-cycle terahertz pulses of ∼20 MV/m electric field amplitude and ∼1 ps duration. The experimental dynamics is probed using the femtosecond magneto-optical Kerr effect, and it is reproduced numerically using macrospin simulations. The magnetization dynamics can be decomposed in three distinct processes: a coherent precession of the magnetization around the terahertz magnetic field, an ultrafast demagnetization that suddenly changes the anisotropy of the film, and a uniform precession around the equilibrium effective field that is relaxed on the nanosecond time scale, consistent with a Gilbert damping process. Macrospin simulations quantitatively reproduce the observed dynamics, and allow us to predict that novel nonlinear magnetization dynamics regimes can be attained with existing tabletop terahertz sources.
2023-09-04T01:26:51.906118
https://example.com/article/3661
Thursday, August 10, 2017 Phil Shenon on NPR Phil Shenon on NPR - Thursday August 10, 2017 This show wasn't as bad as I expected. While "Fresh Air" host Terry Gross was getting ready for the Tonight Show, Dave Davies the reporter who questioned Shenon was surprisingly knowledgeable about the subject and Shenon is fine tuning his pitch. There will be a free transcript of this program that runs over a half hour, and it will be rebroadcast at 7 pm EST, but I will sumerize some key elements. It's apparent that Shenon is using the recently released batch of records to promote his book and theory - that Oswald killed JFK to impress Castro, and that while in Mexico City Oswald met with Cuban and Russian spies and announced his "plan" to kill the president. And while he is described as an "investigative journalist" and claims to have an open mind, he isn't interested in any evidence except what supports that theory. Actually Shenon doesn't start to get it wrong until quite deep in the program. For Shenon, he says it all started in Hollywood with Oliver Stone's movie - JFK, that reshaped our thinking about the assassination and led to the JFK Act, that leaves - the irony of ironies, the President with the power to withhold the assassination records. They mention the Ted Cruz campaign incident and refer to "The Conspiracy Theorists in Chief. Is there an index for the new records? No but an army of researchers are going through them. The most interesting records to Shenon are the Mexico City records - "the mysterious chapter involving six days when we know he met with Cuban spies, Russian spies." The official story that Oswald was a delusional misfit Lone Wolf is wrong. From among the records released under the JFK Act include one from JE Hover that Warren Commission lawyers say they never saw - that speculates if Oswald was inspired by an AP article he must have read in New Orleans that quoted Castro saying he was aware of CIA maritime raids and plots to kill him and that US leaders are not safe. This is an important document but not new, been a public record for years and should be carefully analyzed but Shenon uses it to hammer home the idea Oswald was "enraged" by the article and his love for Castro motivated Oswald to kill JFK all by himself, though he could have had encouragement, assistance and support from Cuban and Russian spies. The evidence of this comes from the Twist Party hosted by Sylvia Duran - a surprisably easy to find Mexican national whose friends and family and government records dispute her denial about meeting Oswald outside the embassy and hosting Oswald at the Twist Party and his meeting with Cuban or Russian spies. That's not how Bob Baer found Duran - who wouldn't have anything to do with him. To support his contentions Shenon also uses June Cobb - a brace American spy who recently died in New York before he could interview her. The FBI destroyed evidence and the CIA kept info from the Warren Commission to hide their advance knowledge of Oswald and his intentions. Shenon quoted FBI spy posing as a communist reporting Castro's acknowledgement that Oswald told the Cubans of his "plan" to kill JFK, and cites Castro himself as the source of this story - but it's not - the FBI's fake Commie is the source, just as almost EVERY allegation that Castro was behind the assassination can be traced to an intelligence source. Shenon says that former FBI director Clarence Kelly made the assassination a Research hobby and concluded the FBI covered up the true facts and could have prevented the assassination if they acted on the information in their own files. Shenon falsely claimes new forensic techniques support the Single Bullet Theory and that Oswald was the only shooter - but we can't rule out the Cubans or Russians knew about his plans or encouraged or supported him. But Jack Ruby a very troubled misfit, a mentally ill, delusional loser and "no conspiracy involving Ruby has emerged." On the other hand RFK had a public and private view of the assassination, accepting the Warren Commission conclusions publicly but privately troubled that his brother's murder was "blowback" from what he knew of the CIA-Mafia plots to kill Castro. No he is not going to wade through the newly released records, many of which are illegible, irrelevant and coded with pseudonames so you can't make sense of them. He's going to wait for the Army of researchers to go through them - "the logistics of this is a nightmare," especially for the NARA - who will be rolling out batches of thousands of records at a time that will take months and years to go through. What about the serious researchers? You must know each other? Communicate? Well yes, but they don't like it if I don't endorse their particular conspiracy theory - though he tries to keep an open mind, and if there's anything in there they will find it. Since these are the same angles being espoused and promoted by Gus Russo, Brian Latell and Bob Baer, I suppose this is the current agreed upon fall back position now that the Lone Nut-Lone Wolf story is totally rejected. I will post links to the transcript and audio download of this show ASAP.
2024-07-20T01:26:51.906118
https://example.com/article/9697
The View from the Boardwalk Menu Monthly Archives: May 2015 Recently I read The Art of Fielding, by Chad Harbach, a book that resonated for me in ways I still do not understand. It came at a time when spring seemed to leave me with many restless nights during which I could not stop the noise in my head or the feeling that I needed to do something. Something that mattered. The art of fielding, for Harbach, is really the art of living a full life and creating a soul that endures: soul being not “something a person is born with but something that must be built, by effort and error, study and love.” Fielding or sport, in turn, is an art “which somehow seem(s) to communicate something true or even crucial about The Human Condition. The Human Condition being, basically, that we’re alive and have access to beauty, can even erratically create it, but will someday be dead and will not.” I do not presume to have learned the art of living a full life or creating a soul, but I do know something about sport. So I decided on my walk out to the Boardwalk today that I wanted to share some of what I know, what I have learned, with my grand-children, not because they won’t learn even more on their own, but because I am compelled to give them a part of me that will last. I can’t help myself. More than self-vanity, it is an act of love, or maybe contrition. I can never be enough for them. I say that thankfully. So with all apologies for being trite or obvious or just plain foolish for thinking that I know anything of value, here goes: Above all else, I urge you not to be afraid to love, to risk being hurt or vulnerable; to give up something of yourself. There will be pain and confusion and self doubt as a result, but there will also be joy and release, a sense of connection to something larger, something timeless, that you will not feel otherwise. Let the ego die and a Self will take its place. A Self beyond opposites, beyond time or space. Live and love fully. There’s no time to waste. Fear and desire cripple us. False desire, that is. By false desire I mean anything we seek to make us feel better about ourselves, usually at the expense of others. Trust yourself. Know who you are and what you believe. Listen to your heart and not the empty chatter or the promises of acceptance that come with a crowd. Everyone will seek you out, admire you, follow you because you do not want the attention, because you are strong enough to know what’s right and do what you love. Mistakes are not only an option, but a must. You will not learn, not grow without them. This is not to say that you should be reckless. Reflect, consider, ask for help by all means. But in the end be willing to do or say what you believe is right, and accept the consequences. Rarely, if ever, is there only one correct path. Rarely is a straight line as efficient as a circle. Nature works by misdirection. Order arises out of chaos. When one choice fails, another option flourishes. There are no dead ends. Be open to change, willing to ask questions, unwavering in your search for excellence and truth. Give of yourself fully to your work and to the people in your life and you will be rewarded profoundly. Truth is not so much a dictum, a fact or a detail, an article of faith or solution to a puzzle. It is, instead, a process, a way of being that integrates us and makes us feel whole. Learn to see. We are blinded by routine and expectation. By bright lights and glamour. By shiny objects and expensive baubles. Where others look high, take the time to look low. Where most take the chosen path, take the road untraveled. There is great virtue in occasionally being lost. Life is better known not through the fence, but between the pickets. It’s the spaces, the gaps, wherein lies potential. Creativity can be learned; it requires letting go. Nothing of value is accomplished without hard work and patience, time and persistence. No obstacle too big, no challenge too difficult, if there is sufficient resolve. But that value is diminished if we cannot laugh, enjoy the moment, “dance” along the way. Let your work be your play, and do not be surprised if what you achieve is not what you expected. The greatest rewards are unanticipated. Time past and time future are really time present. The goal is the journey, not the finished product. Endlines and trophies are hollow and illusory. Living fully takes courage and toughness, resilience and faith. There’s no ultimate judgment, no necessary purpose, no meaning beyond life itself. Nature lives by rules we cannot obey. And so we define ourselves by stories, trusting in our senses but knowing their limitations and searching for a better way. We remain open to people, to possibility, to beauty. And when an answer arrives upon our doorstep, we are grateful for having received it, for the privilege and the sheer glory of having been made awake. There is no room for excessive pride or casting blame. We create reality. What we imagine becomes true for us. Take responsibility for your story. For those who cannot, have compassion and empathy, respect for the inevitable sorrow we all know in some way. Life is joyous and bountiful, but inevitably unforgiving. We distinguish between opposites, but Nature does not. Respect the mystery, the lightness of being. Find balance and pace.
2023-09-11T01:26:51.906118
https://example.com/article/5889
Neil deGrasse Tyson thinks a lot of fellow science man Tesla CEO Elon Musk. After his appearance on “The Late Show with Stephen Colbert” Tuesday, Tyson chimed in about Musk smoking pot recently on Joe Rogan’s show. “Can they leave him alone,” Tyson told TMZ. “Let the man get high if he wants to get high.” Musk appeared on “The Joe Rogan Experience” last Thursday and proceeded to smoke a blunt with the host. Elon Musk smoking a blunt for the first time on Joe Rogan's podcast is Internet gold pic.twitter.com/nx8zQ7HlyB — gifdsports (@gifdsports) September 7, 2018 Tyson went on to give Musk some high praise, calling him the “the best thing we’ve had since Thomas Edison.” Musk has come under fire for a number of recent incidents, including for his announcement via Twitter in August that he was considering making Tesla a private company again ― a declaration he made seemingly without consulting anyone else at the company.
2024-07-01T01:26:51.906118
https://example.com/article/6173
Q: CLLocationManager not returning correct location I'm working on an app where it checks your location every minute or so to see if your location changed. I am simulating the location changes by using a simulated location in xCode. First I'll do London, then when it updates that I'll change it to something like Tokyo, and then when it's time to check the location again it just won't update, it still thinks it's in London. -(void)recheckLocation{ locationManager = nil; [recheckLocation invalidate]; locationManager = [[CLLocationManager alloc]init]; locationManager.delegate = self; locationManager.desiredAccuracy = kCLLocationAccuracyNearestTenMeters; [locationManager startUpdatingLocation]; } - (void)locationManager:(CLLocationManager *)manager didUpdateToLocation:(CLLocation *)newLocation fromLocation:(CLLocation *)oldLocation { geocoder = [[CLGeocoder alloc] init]; [locationManager stopUpdatingLocation]; // Reverse Geocoding [geocoder reverseGeocodeLocation:newLocation completionHandler:^(NSArray *placemarks, NSError *error) { NSLog(@"Found placemarks: %@, error: %@", placemarks, error); if (error == nil && [placemarks count] > 0) { placemark = [placemarks objectAtIndex:0]; NSString *Location = [NSString stringWithFormat:@"%@, %@",placemark.locality, placemark.administrativeArea]; recheckLocation = [NSTimer scheduledTimerWithTimeInterval:60.0f target:self selector:@selector(recheckLocation) userInfo:nil repeats:YES]; } else { NSLog(@"%@", error.debugDescription); } } ]; } No matter how many times I changed the location it just keeps giving me the same location every time rather than the correct one. Can someone tell me what I am doing wrong? A: Its bit older post and I am having basic knowledge in CLLocationManager stuff, but still I am trying to address the problem. I understand from your above code that CLLocationManager is recreated everytime. CLLocationManager is like a singleton class you don't need to recreate everytime. You just need to call [locationManager startUpdatingLocation]; . Also everytime you are calling [geocoder reverseGeocodeLocation:xxx]. Probably you need to find accuracy before you do this so that it will not get called again and again.
2023-10-08T01:26:51.906118
https://example.com/article/4254
Radioimmunoassay for tissue distribution of a human mammary tumor-specific glycoprotein. The candidate tumor-specific soluble mammary tumor glycoprotein with a molecular weight of approximately 20,000 (MTGP20) has been isolated from human breast carcinomas and characterized biochemically. Although with the use of xenoantisera this glycoprotein has previously been demonstrated only in breast carcinomas, analyses of body fluids and conclusions regarding putative tumor specificity have been limited by the sensitivity of assays. In the present study, a specific radioimmunoassay has been developed. With appropriate selection of buffer, the assay has a sensitivity threshold of less than 0.1 unit of MTGP20 per ml, equivalent to less than 250 pg type I MTGP20 per ml or less than 530 pg type II MTGP20 per ml, which is more than 200-fold more sensitive than previously described assays. MTGP20 type I, which contains tyrosine, was labeled with 125I and used as the immunochemical ligand in a double antibody competitive inhibition assay. A partial weak cross-reaction was observed with a mixture of placental glycoprotein (perchloric acid extract), but this reaction was abolished by absorption of antisera with placental glycoprotein. Normal tissue and tumors of other than breast origin were devoid of MTGP20-related antigens. MTGP20-related antigens were not detectable in sera or concentrated urine specimens from normal individuals or patients with metastatic breast carcinomas. The present studies further support the probable tumor specificity of this glycoprotein but indicate that it does not represent a circulating secretory product of the cancer cell and does not provide a serum marker for breast carcinoma.
2024-07-17T01:26:51.906118
https://example.com/article/9640
Q: Aligning baseline of two text views in Android please find below my layout & its result ; I need the text 'Text message' to align on the baseline of the text 'Header'(Please find below the code and snapshot). Would be glad if someone can give me direction <LinearLayout xmlns:android="http://schemas.android.com/apk/res/android" android:layout_width="match_parent" android:layout_height="match_parent" android:orientation="vertical" android:weightSum="1.0" android:baselineAligned="true" > <LinearLayout android:orientation="horizontal" android:layout_width="match_parent" android:layout_height="0dp" android:layout_weight="0.2" android:background="@color/custom_orange" android:gravity="center" > <TextView android:layout_width="wrap_content" android:layout_height="match_parent" android:text="Header" android:textSize="25sp" android:id="@+id/title" android:gravity="center" android:background="@color/custom_red"/> <TextView android:layout_width="wrap_content" android:layout_height="match_parent" android:text="Text message" android:textSize="10sp" android:id="@+id/language" android:gravity="center" android:background="@color/custom_green"/> </LinearLayout> </LinearLayout> This is the result This is what I need A: Use RelativeLayout as a container for TextViews and add the attribute android:layout_alignBaseline="@+id/title" to id/language TextView A: Just use the android:gravity="bottom" on LinearLayout(The linear with the both textviews) and android:layout_height="wrap_content" in both TextViews.
2023-12-29T01:26:51.906118
https://example.com/article/4436
Is managed competition a field of dreams? In recent months, managed competition has gained the upper hand in the debate over how to reform the U.S. health system and likely will be a part of President-elect Clinton's proposal. But recent data reveal that managed care plans, an important piece of the managed competition approach, have not significantly altered the rate of increase in costs. These findings cast doubt on the assumption by managed competition advocates that the proper incentives exist to cause the health delivery system to reorganize itself.
2024-02-26T01:26:51.906118
https://example.com/article/2554
/* * Copyright (C) 2005-2011 MaNGOS <http://getmangos.com/> * Copyright (C) 2009-2011 MaNGOSZero <https://github.com/mangos/zero> * Copyright (C) 2011-2016 Nostalrius <https://nostalrius.org> * Copyright (C) 2016-2017 Elysium Project <https://github.com/elysium-project> * Copyright (C) 2017 Light's Hope <https://github.com/LightsHope> * * 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 of the License, or * (at your option) any later version. * * This program is distributed in the hope that it will be useful, * but WITHOUT ANY WARRANTY; without even the implied warranty of * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the * GNU General Public License for more details. * * You should have received a copy of the GNU General Public License * along with this program; if not, write to the Free Software * Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA */ #ifndef _ASYNC_COMMAND_INCLUDED #define _ASYNC_COMMAND_INCLUDED #include "Common.h" #include "SharedDefines.h" #include "ObjectGuid.h" #include "Database/DatabaseEnv.h" #include "Database/Database.h" #include "Database/SqlOperations.h" #include "WorldSession.h" #include "World.h" enum { PINFO_QUERY_GOLD_SENT = 0, PINFO_QUERY_GOLD_RECEIVED, PINFO_QUERY_ACCOUNT_INFO, }; struct PInfoData { uint8 race, class_; uint32 accId = 0; uint32 money = 0; uint32 mail_gold_inbox = 0; uint32 mail_gold_outbox = 0; uint32 total_player_time = 0; uint32 level = 0; uint32 latency = 0; uint32 security_flag = 0; LocaleConstant loc = LOCALE_enUS; ObjectGuid target_guid; uint32 m_accountId; bool online = false; bool hasAccount = false; std::string two_factor_enabled; std::string username; std::string last_ip; AccountTypes security = SEC_PLAYER; std::string last_login; std::string target_name; }; /** Chain query handling for PInfo. It uses a long blocking query (select from characters) so doing it in the main thread is bad. Therefore, we just handle all the queries via chain callbacks until we have the right result */ class PInfoHandler { public: static void HandlePInfoCommand(WorldSession* session, Player* target, ObjectGuid& target_guid, std::string& name); static void HandlePlayerLookupResult(QueryResult* result, PInfoData *data); static void HandleDataAfterPlayerLookup(PInfoData *data); static void HandleDelayedMoneyQuery(QueryResult*, SqlQueryHolder *holder, PInfoData *data); // Not thread safe. Must be handled in unsafe callback static void HandleAccountInfoResult(QueryResult* result, PInfoData *data); static void HandleResponse(WorldSession* session, PInfoData *data); }; class PlayerSearchHandler { public: static void HandlePlayerAccountSearchResult(QueryResult*, SqlQueryHolder *holder, int); static void HandlePlayerCharacterLookupResult(QueryResult* result, uint32 accountId, uint32 limit); static void ShowPlayerListHelper(QueryResult* result, ChatHandler& chatHandler, uint32& count, uint32 limit, bool title); }; class AccountSearchHandler { public: static void HandleAccountLookupResult(QueryResult* result, uint32 accountId, uint32 limit); static void ShowAccountListHelper(QueryResult* result, ChatHandler& chatHandler, uint32& count, uint32 limit, bool title); }; class PlayerGoldRemovalHandler { public: // Handle the initial gold lookup for offline player, and perform the removal // @not thread safe, must be called from an async unsafe DB callback static void HandleGoldLookupResult(QueryResult* result, uint32 accountId, uint32 removeAmount); }; typedef std::map<uint32, std::pair<uint32, std::string>> PlayerSearchAccountMap; class PlayerSearchQueryHolder : public SqlQueryHolder { public: PlayerSearchQueryHolder(uint32 accountId, uint32 limit) : SqlQueryHolder(), m_accountId(accountId), m_limit(limit) {} uint32 GetLimit() const { return m_limit; } uint32 GetAccountId() const { return m_accountId; } void AddAccountInfo(uint32 queryIndex, uint32& accId, std::string& accName); bool GetAccountInfo(uint32 queryIndex, std::pair<uint32, std::string>& pair); private: uint32 m_accountId; uint32 m_limit; PlayerSearchAccountMap m_accounts; }; /* Run the display in an async task inside the main update, safe for session consistency */ class PlayerAccountSearchDisplayTask : public AsyncTask { public: PlayerAccountSearchDisplayTask(PlayerSearchQueryHolder* queryHolder) : holder(queryHolder) {} void run() override; private: PlayerSearchQueryHolder* holder; }; /* Run the display in an async task inside the main update, safe for session consistency */ class PlayerCharacterLookupDisplayTask : public AsyncTask { public: PlayerCharacterLookupDisplayTask(QueryResult* result, uint32 accountId, uint32 limit) : query(result), accountId(accountId), limit(limit) {} void run() override; private: QueryResult* query; uint32 accountId; uint32 limit; }; class AccountSearchDisplayTask : public AsyncTask { public: AccountSearchDisplayTask(QueryResult* result, uint32 accountId, uint32 limit) : query(result), accountId(accountId), limit(limit) {} void run() override; private: QueryResult* query; uint32 accountId; uint32 limit; }; #endif
2024-04-18T01:26:51.906118
https://example.com/article/8501
<!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN" "http://www.w3.org/TR/html4/loose.dtd"> <!-- NewPage --> <html lang="en"> <head> <!-- Generated by javadoc (1.8.0_171) on Tue Jun 05 13:03:15 NZST 2018 --> <title>AdaDelta</title> <meta name="date" content="2018-06-05"> <link rel="stylesheet" type="text/css" href="../../../stylesheet.css" title="Style"> <script type="text/javascript" src="../../../script.js"></script> </head> <body> <script type="text/javascript"><!-- try { if (location.href.indexOf('is-external=true') == -1) { parent.document.title="AdaDelta"; } } catch(err) { } //--> var methods = {"i0":10,"i1":10,"i2":10,"i3":10,"i4":10,"i5":10,"i6":10,"i7":10,"i8":10,"i9":10,"i10":10}; var tabs = {65535:["t0","All Methods"],2:["t2","Instance Methods"],8:["t4","Concrete Methods"]}; var altColor = "altColor"; var rowColor = "rowColor"; var tableTab = "tableTab"; var activeTableTab = "activeTableTab"; </script> <noscript> <div>JavaScript is disabled on your browser.</div> </noscript> <!-- ========= START OF TOP NAVBAR ======= --> <div class="topNav"><a name="navbar.top"> <!-- --> </a> <div class="skipNav"><a href="#skip.navbar.top" title="Skip navigation links">Skip navigation links</a></div> <a name="navbar.top.firstrow"> <!-- --> </a> <ul class="navList" title="Navigation"> <li><a href="../../../overview-summary.html">Overview</a></li> <li><a href="package-summary.html">Package</a></li> <li class="navBarCell1Rev">Class</li> <li><a href="package-tree.html">Tree</a></li> <li><a href="../../../deprecated-list.html">Deprecated</a></li> <li><a href="../../../index-all.html">Index</a></li> <li><a href="../../../help-doc.html">Help</a></li> </ul> </div> <div class="subNav"> <ul class="navList"> <li>Prev&nbsp;Class</li> <li><a href="../../../weka/dl4j/updater/AdaGrad.html" title="class in weka.dl4j.updater"><span class="typeNameLink">Next&nbsp;Class</span></a></li> </ul> <ul class="navList"> <li><a href="../../../index.html?weka/dl4j/updater/AdaDelta.html" target="_top">Frames</a></li> <li><a href="AdaDelta.html" target="_top">No&nbsp;Frames</a></li> </ul> <ul class="navList" id="allclasses_navbar_top"> <li><a href="../../../allclasses-noframe.html">All&nbsp;Classes</a></li> </ul> <div> <script type="text/javascript"><!-- allClassesLink = document.getElementById("allclasses_navbar_top"); if(window==top) { allClassesLink.style.display = "block"; } else { allClassesLink.style.display = "none"; } //--> </script> </div> <div> <ul class="subNavList"> <li>Summary:&nbsp;</li> <li>Nested&nbsp;|&nbsp;</li> <li>Field&nbsp;|&nbsp;</li> <li><a href="#constructor.summary">Constr</a>&nbsp;|&nbsp;</li> <li><a href="#method.summary">Method</a></li> </ul> <ul class="subNavList"> <li>Detail:&nbsp;</li> <li>Field&nbsp;|&nbsp;</li> <li><a href="#constructor.detail">Constr</a>&nbsp;|&nbsp;</li> <li><a href="#method.detail">Method</a></li> </ul> </div> <a name="skip.navbar.top"> <!-- --> </a></div> <!-- ========= END OF TOP NAVBAR ========= --> <!-- ======== START OF CLASS DATA ======== --> <div class="header"> <div class="subTitle">weka.dl4j.updater</div> <h2 title="Class AdaDelta" class="title">Class AdaDelta</h2> </div> <div class="contentContainer"> <ul class="inheritance"> <li>java.lang.Object</li> <li> <ul class="inheritance"> <li><a href="../../../weka/dl4j/updater/Updater.html" title="class in weka.dl4j.updater">weka.dl4j.updater.Updater</a>&lt;org.nd4j.linalg.learning.config.AdaDelta&gt;</li> <li> <ul class="inheritance"> <li>weka.dl4j.updater.AdaDelta</li> </ul> </li> </ul> </li> </ul> <div class="description"> <ul class="blockList"> <li class="blockList"> <dl> <dt>All Implemented Interfaces:</dt> <dd>java.io.Serializable, <a href="http://weka.sourceforge.net/doc.dev/weka/core/OptionHandler.html?is-external=true" title="class or interface in weka.core">OptionHandler</a>, <a href="../../../weka/dl4j/ApiWrapper.html" title="interface in weka.dl4j">ApiWrapper</a>&lt;org.nd4j.linalg.learning.config.AdaDelta&gt;</dd> </dl> <hr> <br> <pre>public class <span class="typeNameLabel">AdaDelta</span> extends <a href="../../../weka/dl4j/updater/Updater.html" title="class in weka.dl4j.updater">Updater</a>&lt;org.nd4j.linalg.learning.config.AdaDelta&gt;</pre> <div class="block">A WEKA version of DeepLearning4j's AdaDelta.</div> <dl> <dt><span class="simpleTagLabel">Author:</span></dt> <dd>Steven Lang</dd> <dt><span class="seeLabel">See Also:</span></dt> <dd><a href="../../../serialized-form.html#weka.dl4j.updater.AdaDelta">Serialized Form</a></dd> </dl> </li> </ul> </div> <div class="summary"> <ul class="blockList"> <li class="blockList"> <!-- ======== CONSTRUCTOR SUMMARY ======== --> <ul class="blockList"> <li class="blockList"><a name="constructor.summary"> <!-- --> </a> <h3>Constructor Summary</h3> <table class="memberSummary" border="0" cellpadding="3" cellspacing="0" summary="Constructor Summary table, listing constructors, and an explanation"> <caption><span>Constructors</span><span class="tabEnd">&nbsp;</span></caption> <tr> <th class="colOne" scope="col">Constructor and Description</th> </tr> <tr class="altColor"> <td class="colOne"><code><span class="memberNameLink"><a href="../../../weka/dl4j/updater/AdaDelta.html#AdaDelta--">AdaDelta</a></span>()</code>&nbsp;</td> </tr> </table> </li> </ul> <!-- ========== METHOD SUMMARY =========== --> <ul class="blockList"> <li class="blockList"><a name="method.summary"> <!-- --> </a> <h3>Method Summary</h3> <table class="memberSummary" border="0" cellpadding="3" cellspacing="0" summary="Method Summary table, listing methods, and an explanation"> <caption><span id="t0" class="activeTableTab"><span>All Methods</span><span class="tabEnd">&nbsp;</span></span><span id="t2" class="tableTab"><span><a href="javascript:show(2);">Instance Methods</a></span><span class="tabEnd">&nbsp;</span></span><span id="t4" class="tableTab"><span><a href="javascript:show(8);">Concrete Methods</a></span><span class="tabEnd">&nbsp;</span></span></caption> <tr> <th class="colFirst" scope="col">Modifier and Type</th> <th class="colLast" scope="col">Method and Description</th> </tr> <tr id="i0" class="altColor"> <td class="colFirst"><code>double</code></td> <td class="colLast"><code><span class="memberNameLink"><a href="../../../weka/dl4j/updater/AdaDelta.html#getEpsilon--">getEpsilon</a></span>()</code>&nbsp;</td> </tr> <tr id="i1" class="rowColor"> <td class="colFirst"><code>double</code></td> <td class="colLast"><code><span class="memberNameLink"><a href="../../../weka/dl4j/updater/AdaDelta.html#getLearningRate--">getLearningRate</a></span>()</code> <div class="block">Get the learning rate</div> </td> </tr> <tr id="i2" class="altColor"> <td class="colFirst"><code>java.lang.String[]</code></td> <td class="colLast"><code><span class="memberNameLink"><a href="../../../weka/dl4j/updater/AdaDelta.html#getOptions--">getOptions</a></span>()</code> <div class="block">Gets the current settings of the Classifier.</div> </td> </tr> <tr id="i3" class="rowColor"> <td class="colFirst"><code>double</code></td> <td class="colLast"><code><span class="memberNameLink"><a href="../../../weka/dl4j/updater/AdaDelta.html#getRho--">getRho</a></span>()</code>&nbsp;</td> </tr> <tr id="i4" class="altColor"> <td class="colFirst"><code>boolean</code></td> <td class="colLast"><code><span class="memberNameLink"><a href="../../../weka/dl4j/updater/AdaDelta.html#hasLearningRate--">hasLearningRate</a></span>()</code>&nbsp;</td> </tr> <tr id="i5" class="rowColor"> <td class="colFirst"><code>void</code></td> <td class="colLast"><code><span class="memberNameLink"><a href="../../../weka/dl4j/updater/AdaDelta.html#initializeBackend--">initializeBackend</a></span>()</code>&nbsp;</td> </tr> <tr id="i6" class="altColor"> <td class="colFirst"><code>java.util.Enumeration&lt;<a href="http://weka.sourceforge.net/doc.dev/weka/core/Option.html?is-external=true" title="class or interface in weka.core">Option</a>&gt;</code></td> <td class="colLast"><code><span class="memberNameLink"><a href="../../../weka/dl4j/updater/AdaDelta.html#listOptions--">listOptions</a></span>()</code> <div class="block">Returns an enumeration describing the available options.</div> </td> </tr> <tr id="i7" class="rowColor"> <td class="colFirst"><code>void</code></td> <td class="colLast"><code><span class="memberNameLink"><a href="../../../weka/dl4j/updater/AdaDelta.html#setEpsilon-double-">setEpsilon</a></span>(double&nbsp;epsilon)</code>&nbsp;</td> </tr> <tr id="i8" class="altColor"> <td class="colFirst"><code>void</code></td> <td class="colLast"><code><span class="memberNameLink"><a href="../../../weka/dl4j/updater/AdaDelta.html#setLearningRate-double-">setLearningRate</a></span>(double&nbsp;learningRate)</code> <div class="block">Set the learning rate</div> </td> </tr> <tr id="i9" class="rowColor"> <td class="colFirst"><code>void</code></td> <td class="colLast"><code><span class="memberNameLink"><a href="../../../weka/dl4j/updater/AdaDelta.html#setOptions-java.lang.String:A-">setOptions</a></span>(java.lang.String[]&nbsp;options)</code> <div class="block">Parses a given list of options.</div> </td> </tr> <tr id="i10" class="altColor"> <td class="colFirst"><code>void</code></td> <td class="colLast"><code><span class="memberNameLink"><a href="../../../weka/dl4j/updater/AdaDelta.html#setRho-double-">setRho</a></span>(double&nbsp;rho)</code>&nbsp;</td> </tr> </table> <ul class="blockList"> <li class="blockList"><a name="methods.inherited.from.class.weka.dl4j.updater.Updater"> <!-- --> </a> <h3>Methods inherited from class&nbsp;weka.dl4j.updater.<a href="../../../weka/dl4j/updater/Updater.html" title="class in weka.dl4j.updater">Updater</a></h3> <code><a href="../../../weka/dl4j/updater/Updater.html#create-org.nd4j.linalg.learning.config.IUpdater-">create</a>, <a href="../../../weka/dl4j/updater/Updater.html#getBackend--">getBackend</a>, <a href="../../../weka/dl4j/updater/Updater.html#getLearningRateSchedule--">getLearningRateSchedule</a>, <a href="../../../weka/dl4j/updater/Updater.html#setBackend-T-">setBackend</a>, <a href="../../../weka/dl4j/updater/Updater.html#setLearningRateSchedule-weka.dl4j.schedules.Schedule-">setLearningRateSchedule</a></code></li> </ul> <ul class="blockList"> <li class="blockList"><a name="methods.inherited.from.class.java.lang.Object"> <!-- --> </a> <h3>Methods inherited from class&nbsp;java.lang.Object</h3> <code>equals, getClass, hashCode, notify, notifyAll, toString, wait, wait, wait</code></li> </ul> </li> </ul> </li> </ul> </div> <div class="details"> <ul class="blockList"> <li class="blockList"> <!-- ========= CONSTRUCTOR DETAIL ======== --> <ul class="blockList"> <li class="blockList"><a name="constructor.detail"> <!-- --> </a> <h3>Constructor Detail</h3> <a name="AdaDelta--"> <!-- --> </a> <ul class="blockListLast"> <li class="blockList"> <h4>AdaDelta</h4> <pre>public&nbsp;AdaDelta()</pre> </li> </ul> </li> </ul> <!-- ============ METHOD DETAIL ========== --> <ul class="blockList"> <li class="blockList"><a name="method.detail"> <!-- --> </a> <h3>Method Detail</h3> <a name="getRho--"> <!-- --> </a> <ul class="blockList"> <li class="blockList"> <h4>getRho</h4> <pre><a href="http://weka.sourceforge.net/doc.dev/weka/core/OptionMetadata.html?is-external=true" title="class or interface in weka.core">@OptionMetadata</a>(<a href="http://weka.sourceforge.net/doc.dev/weka/core/OptionMetadata.html?is-external=true#displayName--" title="class or interface in weka.core">displayName</a>="rho", <a href="http://weka.sourceforge.net/doc.dev/weka/core/OptionMetadata.html?is-external=true#description--" title="class or interface in weka.core">description</a>="The rho parameter (default = 0.95).", <a href="http://weka.sourceforge.net/doc.dev/weka/core/OptionMetadata.html?is-external=true#commandLineParamName--" title="class or interface in weka.core">commandLineParamName</a>="rho", <a href="http://weka.sourceforge.net/doc.dev/weka/core/OptionMetadata.html?is-external=true#commandLineParamSynopsis--" title="class or interface in weka.core">commandLineParamSynopsis</a>="-rho &lt;double&gt;", <a href="http://weka.sourceforge.net/doc.dev/weka/core/OptionMetadata.html?is-external=true#displayOrder--" title="class or interface in weka.core">displayOrder</a>=0) public&nbsp;double&nbsp;getRho()</pre> </li> </ul> <a name="setRho-double-"> <!-- --> </a> <ul class="blockList"> <li class="blockList"> <h4>setRho</h4> <pre>public&nbsp;void&nbsp;setRho(double&nbsp;rho)</pre> </li> </ul> <a name="getEpsilon--"> <!-- --> </a> <ul class="blockList"> <li class="blockList"> <h4>getEpsilon</h4> <pre><a href="http://weka.sourceforge.net/doc.dev/weka/core/OptionMetadata.html?is-external=true" title="class or interface in weka.core">@OptionMetadata</a>(<a href="http://weka.sourceforge.net/doc.dev/weka/core/OptionMetadata.html?is-external=true#displayName--" title="class or interface in weka.core">displayName</a>="epsilon", <a href="http://weka.sourceforge.net/doc.dev/weka/core/OptionMetadata.html?is-external=true#description--" title="class or interface in weka.core">description</a>="The epsilon parameter (default = 1.0E-6).", <a href="http://weka.sourceforge.net/doc.dev/weka/core/OptionMetadata.html?is-external=true#commandLineParamName--" title="class or interface in weka.core">commandLineParamName</a>="epsilon", <a href="http://weka.sourceforge.net/doc.dev/weka/core/OptionMetadata.html?is-external=true#commandLineParamSynopsis--" title="class or interface in weka.core">commandLineParamSynopsis</a>="-epsilon &lt;double&gt;", <a href="http://weka.sourceforge.net/doc.dev/weka/core/OptionMetadata.html?is-external=true#displayOrder--" title="class or interface in weka.core">displayOrder</a>=1) public&nbsp;double&nbsp;getEpsilon()</pre> </li> </ul> <a name="setEpsilon-double-"> <!-- --> </a> <ul class="blockList"> <li class="blockList"> <h4>setEpsilon</h4> <pre>public&nbsp;void&nbsp;setEpsilon(double&nbsp;epsilon)</pre> </li> </ul> <a name="setLearningRate-double-"> <!-- --> </a> <ul class="blockList"> <li class="blockList"> <h4>setLearningRate</h4> <pre><a href="http://weka.sourceforge.net/doc.dev/weka/gui/ProgrammaticProperty.html?is-external=true" title="class or interface in weka.gui">@ProgrammaticProperty</a> public&nbsp;void&nbsp;setLearningRate(double&nbsp;learningRate)</pre> <div class="block">Set the learning rate</div> <dl> <dt><span class="overrideSpecifyLabel">Overrides:</span></dt> <dd><code><a href="../../../weka/dl4j/updater/Updater.html#setLearningRate-double-">setLearningRate</a></code>&nbsp;in class&nbsp;<code><a href="../../../weka/dl4j/updater/Updater.html" title="class in weka.dl4j.updater">Updater</a>&lt;org.nd4j.linalg.learning.config.AdaDelta&gt;</code></dd> <dt><span class="paramLabel">Parameters:</span></dt> <dd><code>learningRate</code> - Learning rate</dd> </dl> </li> </ul> <a name="getLearningRate--"> <!-- --> </a> <ul class="blockList"> <li class="blockList"> <h4>getLearningRate</h4> <pre><a href="http://weka.sourceforge.net/doc.dev/weka/gui/ProgrammaticProperty.html?is-external=true" title="class or interface in weka.gui">@ProgrammaticProperty</a> public&nbsp;double&nbsp;getLearningRate()</pre> <div class="block"><span class="descfrmTypeLabel">Description copied from class:&nbsp;<code><a href="../../../weka/dl4j/updater/Updater.html#getLearningRate--">Updater</a></code></span></div> <div class="block">Get the learning rate</div> <dl> <dt><span class="overrideSpecifyLabel">Overrides:</span></dt> <dd><code><a href="../../../weka/dl4j/updater/Updater.html#getLearningRate--">getLearningRate</a></code>&nbsp;in class&nbsp;<code><a href="../../../weka/dl4j/updater/Updater.html" title="class in weka.dl4j.updater">Updater</a>&lt;org.nd4j.linalg.learning.config.AdaDelta&gt;</code></dd> <dt><span class="returnLabel">Returns:</span></dt> <dd>Learning rate</dd> </dl> </li> </ul> <a name="initializeBackend--"> <!-- --> </a> <ul class="blockList"> <li class="blockList"> <h4>initializeBackend</h4> <pre>public&nbsp;void&nbsp;initializeBackend()</pre> </li> </ul> <a name="hasLearningRate--"> <!-- --> </a> <ul class="blockList"> <li class="blockList"> <h4>hasLearningRate</h4> <pre>public&nbsp;boolean&nbsp;hasLearningRate()</pre> <dl> <dt><span class="overrideSpecifyLabel">Overrides:</span></dt> <dd><code><a href="../../../weka/dl4j/updater/Updater.html#hasLearningRate--">hasLearningRate</a></code>&nbsp;in class&nbsp;<code><a href="../../../weka/dl4j/updater/Updater.html" title="class in weka.dl4j.updater">Updater</a>&lt;org.nd4j.linalg.learning.config.AdaDelta&gt;</code></dd> </dl> </li> </ul> <a name="listOptions--"> <!-- --> </a> <ul class="blockList"> <li class="blockList"> <h4>listOptions</h4> <pre>public&nbsp;java.util.Enumeration&lt;<a href="http://weka.sourceforge.net/doc.dev/weka/core/Option.html?is-external=true" title="class or interface in weka.core">Option</a>&gt;&nbsp;listOptions()</pre> <div class="block">Returns an enumeration describing the available options.</div> <dl> <dt><span class="overrideSpecifyLabel">Specified by:</span></dt> <dd><code><a href="http://weka.sourceforge.net/doc.dev/weka/core/OptionHandler.html?is-external=true#listOptions--" title="class or interface in weka.core">listOptions</a></code>&nbsp;in interface&nbsp;<code><a href="http://weka.sourceforge.net/doc.dev/weka/core/OptionHandler.html?is-external=true" title="class or interface in weka.core">OptionHandler</a></code></dd> <dt><span class="overrideSpecifyLabel">Overrides:</span></dt> <dd><code><a href="../../../weka/dl4j/updater/Updater.html#listOptions--">listOptions</a></code>&nbsp;in class&nbsp;<code><a href="../../../weka/dl4j/updater/Updater.html" title="class in weka.dl4j.updater">Updater</a>&lt;org.nd4j.linalg.learning.config.AdaDelta&gt;</code></dd> <dt><span class="returnLabel">Returns:</span></dt> <dd>an enumeration of all the available options.</dd> </dl> </li> </ul> <a name="getOptions--"> <!-- --> </a> <ul class="blockList"> <li class="blockList"> <h4>getOptions</h4> <pre>public&nbsp;java.lang.String[]&nbsp;getOptions()</pre> <div class="block">Gets the current settings of the Classifier.</div> <dl> <dt><span class="overrideSpecifyLabel">Specified by:</span></dt> <dd><code><a href="http://weka.sourceforge.net/doc.dev/weka/core/OptionHandler.html?is-external=true#getOptions--" title="class or interface in weka.core">getOptions</a></code>&nbsp;in interface&nbsp;<code><a href="http://weka.sourceforge.net/doc.dev/weka/core/OptionHandler.html?is-external=true" title="class or interface in weka.core">OptionHandler</a></code></dd> <dt><span class="overrideSpecifyLabel">Overrides:</span></dt> <dd><code><a href="../../../weka/dl4j/updater/Updater.html#getOptions--">getOptions</a></code>&nbsp;in class&nbsp;<code><a href="../../../weka/dl4j/updater/Updater.html" title="class in weka.dl4j.updater">Updater</a>&lt;org.nd4j.linalg.learning.config.AdaDelta&gt;</code></dd> <dt><span class="returnLabel">Returns:</span></dt> <dd>an array of strings suitable for passing to setOptions</dd> </dl> </li> </ul> <a name="setOptions-java.lang.String:A-"> <!-- --> </a> <ul class="blockListLast"> <li class="blockList"> <h4>setOptions</h4> <pre>public&nbsp;void&nbsp;setOptions(java.lang.String[]&nbsp;options) throws java.lang.Exception</pre> <div class="block">Parses a given list of options.</div> <dl> <dt><span class="overrideSpecifyLabel">Specified by:</span></dt> <dd><code><a href="http://weka.sourceforge.net/doc.dev/weka/core/OptionHandler.html?is-external=true#setOptions-java.lang.String:A-" title="class or interface in weka.core">setOptions</a></code>&nbsp;in interface&nbsp;<code><a href="http://weka.sourceforge.net/doc.dev/weka/core/OptionHandler.html?is-external=true" title="class or interface in weka.core">OptionHandler</a></code></dd> <dt><span class="overrideSpecifyLabel">Overrides:</span></dt> <dd><code><a href="../../../weka/dl4j/updater/Updater.html#setOptions-java.lang.String:A-">setOptions</a></code>&nbsp;in class&nbsp;<code><a href="../../../weka/dl4j/updater/Updater.html" title="class in weka.dl4j.updater">Updater</a>&lt;org.nd4j.linalg.learning.config.AdaDelta&gt;</code></dd> <dt><span class="paramLabel">Parameters:</span></dt> <dd><code>options</code> - the list of options as an array of strings</dd> <dt><span class="throwsLabel">Throws:</span></dt> <dd><code>java.lang.Exception</code> - if an option is not supported</dd> </dl> </li> </ul> </li> </ul> </li> </ul> </div> </div> <!-- ========= END OF CLASS DATA ========= --> <!-- ======= START OF BOTTOM NAVBAR ====== --> <div class="bottomNav"><a name="navbar.bottom"> <!-- --> </a> <div class="skipNav"><a href="#skip.navbar.bottom" title="Skip navigation links">Skip navigation links</a></div> <a name="navbar.bottom.firstrow"> <!-- --> </a> <ul class="navList" title="Navigation"> <li><a href="../../../overview-summary.html">Overview</a></li> <li><a href="package-summary.html">Package</a></li> <li class="navBarCell1Rev">Class</li> <li><a href="package-tree.html">Tree</a></li> <li><a href="../../../deprecated-list.html">Deprecated</a></li> <li><a href="../../../index-all.html">Index</a></li> <li><a href="../../../help-doc.html">Help</a></li> </ul> </div> <div class="subNav"> <ul class="navList"> <li>Prev&nbsp;Class</li> <li><a href="../../../weka/dl4j/updater/AdaGrad.html" title="class in weka.dl4j.updater"><span class="typeNameLink">Next&nbsp;Class</span></a></li> </ul> <ul class="navList"> <li><a href="../../../index.html?weka/dl4j/updater/AdaDelta.html" target="_top">Frames</a></li> <li><a href="AdaDelta.html" target="_top">No&nbsp;Frames</a></li> </ul> <ul class="navList" id="allclasses_navbar_bottom"> <li><a href="../../../allclasses-noframe.html">All&nbsp;Classes</a></li> </ul> <div> <script type="text/javascript"><!-- allClassesLink = document.getElementById("allclasses_navbar_bottom"); if(window==top) { allClassesLink.style.display = "block"; } else { allClassesLink.style.display = "none"; } //--> </script> </div> <div> <ul class="subNavList"> <li>Summary:&nbsp;</li> <li>Nested&nbsp;|&nbsp;</li> <li>Field&nbsp;|&nbsp;</li> <li><a href="#constructor.summary">Constr</a>&nbsp;|&nbsp;</li> <li><a href="#method.summary">Method</a></li> </ul> <ul class="subNavList"> <li>Detail:&nbsp;</li> <li>Field&nbsp;|&nbsp;</li> <li><a href="#constructor.detail">Constr</a>&nbsp;|&nbsp;</li> <li><a href="#method.detail">Method</a></li> </ul> </div> <a name="skip.navbar.bottom"> <!-- --> </a></div> <!-- ======== END OF BOTTOM NAVBAR ======= --> </body> </html>
2023-11-14T01:26:51.906118
https://example.com/article/8854
Q: How to request copies of CT-Scans, MRI, X-rays & ultrasound/endoscopic imagery from Dr.'s/Surgeons for personal records? Possible? Because of the many congenital-bone-fusions (due to Klippel-Feil-Syndrome) throughout my life, doctors have performed many, many medical-imaging tests (CT-Scans, MRIs, X-Rays, Ultrasounds, Endoscopies, etc.), which have led to numerous (15) surgeries. As an Archaeologist, I have lived all over the USA, Canada, UK, and Israel. So my medical-imagery is scattered all over the globe. I know you can submit a medical-release form for medical documentation, but can one request copies of CT-Scans, MRI, X-rays & ultrasound/endoscopic imagery from Dr.'s/Surgeons for personal records? How so? I want them personally because I'm constantly moving and constantly having surgery, and it would be greatly beneficial, but I've never known of anyone who had their own copy of their x-rays or ct-scans? It's always been the summary from the radiologist or specialist. **I understand that maybe endoscopies might not be available because they are a camera and are not recorded. ****I also understand that CT-Scans are typically digital (computer-based), but can they print a copy of them? A: Regarding United States, quote from "Copy Fees and Patients’ Rights to Obtain a Copy of Their Medical Records: From Law to Reality" (2005): Patients have a legal right under HIPAA to a copy of their medical records. Personal life-long medical records rely on patients’ ability to exercise this right inexpensively and in a timely manner. We surveyed 73 hospitals across the US, with a geographic concentration around Boston, to determine their policies about fees for copying medical records and the expected time it takes to fulfill such requests. Fees range very widely, from $2-55 for short records of 15 pages to $15-585 for long ones of 500 pages. Times also range widely, from 1–30 days (or longer for off-site records). A few institutions provide records for free and even fewer make them accessible on-line. From "Patient Access to Personal Health Information: Regulation vs. Reality" (2015): Access to health information through patient portals and other electronic means is increasing with the adoption of electronic health records (EHRs), but not all providers have EHRs or patient portals and not all information may be available electronically. Patients are expected to continue to request paper and electronic copies of their medical records. From "How to Request Your Medical Records" (2012): patients have the ability to request the format in which they would like to receive their records. For facilities using an electronic health record system, the medical record may be available on CD, DVD, USB flash drive, or sent via secure e-mail. Additionally, larger facilities are increasingly creating Web-based portals that allow patients direct access to their information. It is important to note that patients have a right to a copy of their record, not the original. The original record belongs to the healthcare facility. It is a document they must maintain for legal and business purposes. In Canada it seems to be regulated by each province intependently. For example, in Ontario there is Personal Health Information Protection Act (see part V, chapter 52 for example). Now, in United Kingdom things seems to look like this (quote from NHS website): Under the Data Protection Act 1998, you have a legal right to apply for access to health information held about you. This includes your NHS or private health records held by a GP, optician or dentist, or by a hospital. (...) Depending on which health records you want to see, submit your request in writing or by email to a registered health professional (...). This is known as a Subject Access Request (SAR). (...) Under the Data Protection Act, requests for access to records should be met within 40 days. However, government guidance for healthcare organisations says they should aim to respond within 21 days. (...) You may have to pay a fee to access your health records, so ask if there is a charge before you apply to see them. Some more from NHS (other webpage) about fees: Online access to your GP records is free of charge. However, charges may apply if you wish to see the originals or get physical copies or your health records. (...) No fee is charged to see your records but if you wish to take a copy away you may be charged. The charge will vary, depending on how the information is stored. The maximum charges are: * £10 for records that are only held electronically * up to £50 for those records that are not available in electronic form or only partially available electronic form In Israel there is Patient's Rights Law which states among other things: (A) The patient shall be entitled to obtain from the clinician or the medical facility medical information concerning himself, including a copy of his medical records. (...) 20. (A) A clinician or medical facility may pass on medical information to a third person in any of the following cases: (1) The patient has consented to the disclosure of the medical information. (2) The clinician or medical facility are legally obliged to pass on the information; (3) The disclosure is for the purpose of the patient's treatment by another clinician; There is also short note from Ministry of Health website: You have the right to receive from the care provider or medical institution, medical information contained in your medical records, or a copy of the medical record (receiving a copy of the record may be subject to a fee). At the time of your release, you have the right to receive a summary of the course of treatment or hospitalization, in writing.
2024-01-11T01:26:51.906118
https://example.com/article/8178
5/4? -0.14 Which is the closest to -0.1? (a) 2/26667 (b) -0.5 (c) -2 a Which is the nearest to 1/3? (a) 5 (b) -18 (c) 20 (d) 226 (e) -2 e What is the nearest to -0.2 in -5/27, -2/9, 3, -0.2? -0.2 Which is the closest to 0? (a) -0.42 (b) 0 (c) -1 b What is the closest to 1/2 in 3.026, -3, -9? 3.026 Which is the nearest to 1/3? (a) 0.3 (b) 14 (c) 0.2 (d) 0.5 (e) 0.03 a What is the closest to 1 in 6/11, -74.9, 3/7? 6/11 What is the closest to -2/31 in -4.5, -5, 3, 37? 3 Which is the closest to 2? (a) -2/3 (b) 43 (c) 0.4 (d) -5/6 c Which is the closest to 1/3? (a) 32 (b) -2/5 (c) -1/2 (d) -61/4 b What is the nearest to -8 in 2, -936, 1/3, 5, 24? 1/3 What is the nearest to 1498 in -13, 1/9, 2, 3/2? 2 Which is the nearest to 2/9? (a) 1 (b) -4 (c) -0.09 (d) -16 c What is the closest to 0.2 in 2, 0.1, 8/27, 2/9? 2/9 Which is the nearest to 4? (a) 17 (b) 0.01 (c) 15 (d) -2/11 b Which is the closest to -1? (a) 1/95 (b) 179.2 (c) -4 a Which is the nearest to 1? (a) -2957 (b) 0.3 (c) -0.3 (d) -1/4 b What is the closest to 1 in -2.2, 4381, -4? -2.2 What is the closest to -42 in -2, 1/2, 5, 1.9? -2 What is the nearest to 1 in -5, 0.09, -91/4, -3, -1/8? 0.09 What is the nearest to 0.1 in 82260, 3, 6/7, 1/3? 1/3 What is the closest to -1/239 in -3/11, -1/7, 0.3, -2/15, -3? -2/15 Which is the nearest to 26/9? (a) 0.5 (b) 1/6 (c) -6/41 (d) 3/2 d Which is the nearest to -6? (a) -14 (b) -4 (c) 1/2 (d) 293.6 b Which is the closest to -9? (a) 2/17 (b) -1.1 (c) -1.7 (d) 2 c What is the nearest to 2 in 4, 0.5, -1502/5? 0.5 Which is the closest to 0.0447? (a) 0.07 (b) 0.2 (c) -0.4 a Which is the nearest to 34? (a) 5 (b) 4/15 (c) 6/11 a What is the nearest to 0 in -2/7, -18, -2, 0.04? 0.04 Which is the closest to -24? (a) 0.5 (b) 0.4 (c) 4 (d) 23/3 (e) 2 b Which is the nearest to 5? (a) 0 (b) -0.01 (c) -53 a What is the nearest to 4014 in 1, 5, 3? 5 Which is the closest to 0.28? (a) 2/9 (b) -4 (c) -0.3 (d) -3/5 (e) -9 a Which is the closest to -1/1851? (a) -4 (b) 2/43 (c) 3 b Which is the nearest to 1332? (a) 2 (b) 1/3 (c) -3/2 a What is the nearest to -1 in 0.126, -4, 6? 0.126 What is the nearest to 3/10 in 1/42, 9, -3? 1/42 Which is the closest to -3.4? (a) -0.4 (b) -3/61 (c) 2/5 a Which is the nearest to 7? (a) -58/205 (b) 2 (c) 0.2 b What is the closest to -0.2 in -8, -5, -2/187? -2/187 Which is the closest to 10? (a) 0.4 (b) 5 (c) -162 (d) 1/4 b What is the closest to -0.4 in -0.3, -7, 0, 575? -0.3 What is the nearest to -1/5 in 34/3, -800, 0.5? 0.5 What is the nearest to 43 in -4, 6, -4/3, -3? 6 Which is the nearest to 0.01? (a) -1/8 (b) 9 (c) -6 (d) -0.2 (e) -0.19 a Which is the nearest to 2/5? (a) 0.4 (b) 8 (c) 6 (d) -13/4 a What is the closest to 0.2 in 1/3, -5, 15, -5/2, 9? 1/3 Which is the closest to 0.1? (a) -1/3 (b) 28.2 (c) 1 (d) -3 a What is the nearest to -0.022 in -3, -0.2, -92, -4/9, 3? -0.2 Which is the closest to -0.05? (a) -9 (b) -1 (c) -7 (d) -4 b What is the nearest to -3.4574 in -0.4, 1/4, 1/2? -0.4 Which is the nearest to 0.1? (a) 63 (b) -0.4 (c) 13/6 (d) 1/10 (e) -3/7 d Which is the closest to 9? (a) -2 (b) 2/17 (c) 1 (d) 6 d What is the closest to 0.2 in -1/8, -739, 1/8, 0.5? 1/8 What is the closest to 0.2 in -2, -4/447, -5/2? -4/447 Which is the closest to 2/7? (a) 0.5 (b) -0.062 (c) 11 (d) 5 a What is the closest to 0.2 in 0.1, -2/7, -4, -2/197? 0.1 Which is the closest to 1? (a) -2 (b) 5 (c) -1/3 (d) 0.04 (e) 18 d Which is the nearest to 2/3? (a) 0.3 (b) 0.5 (c) -7.9 (d) 0.8 (e) 0.2 d What is the closest to 30 in -169, -0.6, -0.9? -0.6 Which is the closest to 0.3? (a) 0.67 (b) 0.4 (c) -1.01 b What is the nearest to 5 in -3/8, 1, 7, -34? 7 Which is the closest to 2/7? (a) -7/3 (b) -0.5 (c) -4.74 (d) -0.3 d Which is the closest to -0.1? (a) -1.554 (b) -0.4 (c) 30 b Which is the closest to 0.1? (a) -2652 (b) -4 (c) 3/2 (d) -2/7 d Which is the nearest to -10? (a) -3.4 (b) -0.1 (c) -2 (d) 2/3 a What is the nearest to -2/7 in -2/9, -0.3, 48, 0.03? -0.3 Which is the nearest to 0.2? (a) -4 (b) -1 (c) 917 (d) 8 (e) 0.4 e What is the nearest to 1 in 28, -5, 3/88, -0.2? 3/88 Which is the nearest to 138? (a) -85 (b) -0.4 (c) -2/11 c Which is the nearest to -2? (a) -1/9 (b) -2/51 (c) 9 (d) 0.2 a Which is the nearest to -1? (a) 1 (b) 0.1 (c) -1 (d) -40 c Which is the nearest to -1? (a) 2/11 (b) -1/493 (c) -0.1 (d) -2 c Which is the closest to 2/9? (a) 0 (b) -60 (c) -1/8 (d) -0.62 a Which is the nearest to 0? (a) -30/11 (b) -0.4 (c) 204 (d) 3 b What is the closest to -0.7 in -259, -0.5, 1? -0.5 Which is the nearest to 4? (a) 3 (b) 0.3 (c) -48/563 (d) -1/2 a Which is the closest to 1? (a) -1/3 (b) -5.3 (c) 1/41 (d) -1/4 c Which is the nearest to 1/23? (a) -3 (b) -30 (c) -2/5 (d) 0.4 d Which is the nearest to 0? (a) -2 (b) -38 (c) 0.3 (d) -12/49 d What is the nearest to -2/35 in -4/11, -0.2, -2.86? -0.2 Which is the nearest to 3? (a) 5 (b) 0.0922 (c) -1/4 a Which is the closest to 1/5? (a) 4 (b) -3 (c) -0.2 (d) -274 (e) -1 c Which is the closest to -27? (a) 5 (b) 3/4 (c) -0.4 c What is the nearest to -17 in -0.2, 2/15, 9? -0.2 Which is the nearest to 0.75? (a) 2 (b) 23 (c) 1 c Which is the nearest to -5? (a) -1/2 (b) -9/10 (c) 4 b Which is the closest to 1/2? (a) -2/7 (b) 0 (c) 2.84286 (d) 0.5 d What is the nearest to 1/2 in 3, 0.4, 4, -319, -0.5? 0.4 Which is the nearest to 3063? (a) -2/3 (b) -1/2 (c) 87 c Which is the closest to 0? (a) -2/9 (b) 0.1 (c) 4/17 (d) 4 b Which is the closest to 0.05? (a) -2/3 (b) -2 (c) 0.5 (d) 41 (e) -1 c Which is the nearest to -5? (a) -161 (b) -5 (c) -0.3 (d) 2/3 (e) 1/7 b What is the nearest to -2/303 in 3/5, 1, -5/6, -1? 3/5 What is the nearest to -0.4 in -3, 2, -29, 0, -1/3? -1/3 Which is the closest to 2/7? (a) 0.06 (b) 296 (c) 4 (d) 0.1 (e) -1 d Which is the nearest to 1988/25? (a) 2 (b) -1/5 (c) 3/8 a What is the nearest to 33 in 1.3, -4, 2/17, -3? 1.3 Which is the nearest to 1? (a) -0.2 (b) -5 (c) -0.1 (d) 11122 c What is the nearest to 0 in 0.2, -37/2, 4, 3, -29? 0.2 What is the nearest to 3 in -1/10, -1/2, 4428? -1/10 What is the closest to 1 in 9/10, -0.87, -2/7? 9/10 Which is the nearest to 1/2? (a) 0.3 (b) -257 (c) -3 (d) 0.5 d Which is the closest to 1/2? (a) 2/9 (b) 1.0071 (c) 0.01 a Which is the closest to -9? (a) 0.1 (b) 48 (c) -8 c Which is the nearest to -1? (a) -4 (b) -2/7 (c) 1/9 (d) 6/161 b Which is the nearest to -19? (a) -275 (b) -3/8 (c) -2/21 b What is the nearest to -2/5 in -3, 19/5, 1/4, 1? 1/4 What is the nearest to 12 in 9, -6, -5, -0.11? 9 What is the nearest to -26 in -0.31, -3, 1/3, 7, -0.1? -3 What is the nearest to 0 in 5317, -0.5, -0.1, 1? -0.1 Which is the closest to -1? (a) -1748 (b) 0 (c) 5/3 b What is the nearest to -3 in -3, 33, 6, 10, -5? -3 Which is the nearest to -0.05? (a) -3 (b) -2/7 (c) -43 (d) -0.4 (e) -0.5 b Which is the nearest to -18? (a) -2 (b) -1 (c) 39 (d) -0.2 (e) 0.8 a What is the closest to 1/6 in 2/19, -32, 558? 2/19 What is the nearest to 2 in -0.4, 4, 0.16, -8? 0.16 What is the closest to 2/5 in -89/3, -7.6, 4? 4 Which is the closest to -22/69? (a) 1 (b) 5 (c) 15 a Which is the closest to -4? (a) -2809 (b) -3 (c) 3/8 (d) 1 b What is the nearest to 23 in -0.025, 0.4, -1? 0.4 Which is the nearest to 8? (a) 0.1 (b) -1.03 (c) -1 a Which is the nearest to -2/7? (a) -0.222 (b) -6 (c) -4 (d) 0 a What is the closest to 1 in 82, -2, -3? -2 Which is the nearest to -66.6? (a) 2 (b) -3 (c) -0.2 b What is the closest to -2 in -4, 2, 337? -4 Which is the closest to -0.4? (a) 3/7 (b) -1/21 (c) -728 b What is the nearest to 101 in -2/3, 3, 0.4? 3 Which is the closest to 90/11? (a) -0.5 (b) 10 (c) 5 b What is the closest to -67/8 in 1, -0.3, -0.2, -3, -0.4? -3 Which is the nearest to -2? (a) 32/23 (b) -6 (c) -4 c Which is the nearest to -2/5? (a) -4/3 (b) 146 (c) -13/9 a Which is the nearest to 24? (a) 0.3 (b) -0.145 (c) 4 (d) 3 c Which is the closest to 610? (a) -2/13 (b) -78 (c) 0.5 (d) -1 c What is the closest to -3/2 in -4, -1, -0.3, 2, -1.7? -1.7 What is the closest to 3/8
2023-09-06T01:26:51.906118
https://example.com/article/3096
Today we finish the final chapter of the Renaissance period and take the first steps into Baroque. Also featured is the first mature development in opera of which the innovator Monteverdi was a maestro. Monteverdi is the only composer featured this week, for the first time since this series began, allowing more detail about him and the music to be explored. The Man Claudio Monteverdi (1567-1643) was born in Italy as the son of a doctor. Rather than following in his father’s footsteps he began a career in music with early tutoring at the Cathedral of Cremona and he published his first music at age 15. His early foray into music was focused on motets and madrigals, which is secular poetic vocal polyphony music. His first employment was for Duke Vincenzo I of Gonzaga at court in Mantua as a vocalist and viol player, he worked his way up to master of music. The Duke was an interesting character, he was quite unaware of monetary value and prone to extravagance. He sent an expedition to the new world to search for a legendary aphrodisiac and he founded his own holy military order, The Order of the Redemptor. However when the Duke died he was succeeded by his son, Francesco, who was now in massive debt due to his father’s spendthrift ways. Monteverdi was subsequently sacked to cut costs, despite him dedicating his first opera L’Orfeo to Francesco before his ascension. This turn of events eventuated positively for Monteverdi because he was offered one of the most prestigious positions in Italy, conductor at St Mark’s Basilica in Venezia (featured picture) in 1613. Here he reformed the musical standards which had fallen into disarray due to his predecessor Giulio Martinengo. He worked for many years before becoming a priest, though he continued composing and completed some of his greatest operas during this time including L’incoronazione di Poppea, Monteverdi died at age 76 in Venice after enjoying a fairly significant amount of fame during his life. The Music Monteverdi wrote a large amount throughout his life. He wrote 9 books of madrigals, with the first 5 being Renaissance influenced and the remaining 4 more Baroque oriented. The 8th book was the last published when Monteverdi was alive and was the biggest. In this book he was able to develop a fast style of music to display anger, frustration or agitation, which was a big step in moving music to more emotive areas. His largest area of innovation was in opera however. With L’Orfeo being classified as the first mature opera. He was able to assign specific instruments to different parts similar to motifs. Monteverdi published something like 18 operas, though only 3 in full survive. Monteverdi popularised the “basso continuo”, a way of writing music that keeps different instruments in time with each other (as far as I understand), this was the method of writing throughout the Baroque period. Monteverdi was the brilliant yet strange step between styles, did he finish Renaissance music or start Baroque? Madrigals Book 2 (1590) – Il secondo libro de madrigali a cinque voci: So this is the first madrigal piece featured this post (chronologically) and it doesn’t sound very Renaissance-esque to me. Considering the first 5 books are supposedly Renaissance inspired, however I have never listened to a madrigal from before this period. I suppose I can see some similarity to previous music with the vocals each building upon each other like steps similar to earlier styles of music. Book 4 (1603) – Il quarto libro de madrigali a cinque voci: So this is the last of Monteverdi’s Renaissance madrigals. I really enjoyed the excerpts of this that I listened to, the harpsichord is a great instrument and I find it adds a lot to the composition. It’s just really nice music honestly. Book 5 (1605) – Il quinto libro de madrigali a cinque voci: There was less instruments in this piece though it was still quite good. The voices were harmonious and it had a great range. Book 8 (1638) – Dolcissimo uscignolo: By this time Monteverdi was deep into Baroque experimentation. I love how varied the piece is, sometimes it was quick, loud and complicated yet sometimes it was quieter and simpler. I hadn’t experienced music composed like this previously and I could hear the innovation. Opera Lamento d’Arianna: This is the first opera featured this series! This is the only remaining part of Monteverdi’s second opera “L’Arianna”. The story is set in Greece, based around the story of Ariadne (a princess involved in the Minotaur mythology) and her betrothal to Bacchus (Dionysus, the god of grape harvest, wine and fertility). Generally Opera isn’t my favourite style of music however I found this one to be quite good. I attribute this to it being more steeped in subtle Renaissance style rather than later more extravagant styles of opera. To say that musically it would be something along the lines of “there is more chorus and less reliance on individual pieces”. Overall I really enjoyed it! Vespers of 1610 Vespro della Beata Vergine: Duo seraphim a 3: This amazed me. I thoroughly enjoyed it, despite my usual distaste of sacred music. I deem this to be because of the instruments, though the vocals are still the main focus of the music. The instruments just chime in every now and then and add extra flair to certain points of the vocals. The tenor was absolutely amazing, with the other part mostly echoing though intertwining at points (probably the end of the line). Magnificat: Most of my praises from before apply here, though to a more extreme extent. This didn’t even sound like sacred music to me, there was such a sense of drama here, unsurprising I guess from an Opera writer, this drama was caused by the excellent strings. I’m amazed that this was allowed at the time considering it even feels wrong to me, I guess I’ve been listening to too much Gregorian Chant. Thank you for reading, I really enjoyed this week’s diversity and innovation. I can understand why Monteverdi was so influential on future music. I hope you enjoyed it even half as much as I did, thank you.
2024-01-05T01:26:51.906118
https://example.com/article/6971
Diurnal and twenty-four hour patterning of human diseases: cardiac, vascular, and respiratory diseases, conditions, and syndromes. Various medical conditions, disorders, and syndromes exhibit predictable-in-time diurnal and 24 h patterning in the signs, symptoms, and grave nonfatal and fatal events, e.g., respiratory ones of viral and allergic rhinorrhea, reversible (asthma) and non-reversible (bronchitis and emphysema) chronic obstructive pulmonary disease, cystic fibrosis, high altitude pulmonary edema, and decompression sickness; cardiac ones of atrial premature beats and tachycardia, paroxysmal atrial fibrillation, 3rd degree atrial-ventricular block, paroxysmal supraventricular tachycardia, ventricular premature beats, ventricular tachyarrhythmia, symptomatic and non-symptomatic angina pectoris, Prinzmetal vasospastic variant angina, acute (non-fatal and fatal) incidents of myocardial infarction, sudden cardiac arrest, in-bed sudden death syndrome of type-1 diabetes, acute cardiogenic pulmonary edema, and heart failure; vascular and circulatory system ones of hypertension, acute orthostatic postprandial, micturition, and defecation hypotension/syncope, intermittent claudication, venous insufficiency, standing occupation leg edema, arterial and venous branch occlusion of the eye, menopausal hot flash, sickle cell syndrome, abdominal, aortic, and thoracic dissections, pulmonary thromboembolism, and deep venous thrombosis, and cerebrovascular transient ischemic attack and hemorrhagic and ischemic stroke. Knowledge of these temporal patterns not only helps guide patient care but research of their underlying endogenous mechanisms, i.e., circadian and others, and external triggers plus informs the development and application of effective chronopreventive and chronotherapeutic strategies.
2024-07-20T01:26:51.906118
https://example.com/article/2570
Q: Why does the below multi threaded code result in SIGABRT ? The below code i have blows up when run with switch flag that enables mutex protection. ie run as ./code.out 1 Now the stack trace of core dump points towards memory allocation issue perhaps happening from the fact that every insert from the thread results in a realloc of the whole vector due to size increasing beyond the reserved memory initially. The trace is : \#0 0x00007f1582ce6765 in raise () from /lib64/libc.so.6 \#1 0x00007f1582ce836a in abort () from /lib64/libc.so.6 \#2 0x00007f1582d27710 in __libc_message () from /lib64/libc.so.6 \#3 0x00007f1582d2feaa in _int_free () from /lib64/libc.so.6 \#4 0x00007f1582d3340c in free () from /lib64/libc.so.6 \#5 0x0000000000403348 in __gnu_cxx::new_allocator<int>::deallocate(int*, unsigned long) () \#6 0x00000000004029b2 in std::allocator_traits<std::allocator<int> >::deallocate(std::allocator<int>&, int*, unsigned long) () \#7 0x00000000004020ae in std::_Vector_base<int, std::allocator<int> >::_M_deallocate(int*, unsigned long) () \#8 0x0000000000401e4e in void std::vector<int, std::allocator<int> >::_M_emplace_back_aux<int const&>(int const&) () \#9 0x0000000000401707 in std::vector<int, std::allocator<int> >::push_back(int const&) () \#10 0x0000000000401212 in pushItem(int const&) () \#11 0x0000000000403d88 in void std::_Bind_simple<void (*(unsigned int))(int const&)>::_M_invoke<0ul>(std::_Index_tuple<0ul>) () \#12 0x0000000000403cd3 in std::_Bind_simple<void (*(unsigned int))(int const&)>::operator()() () \#13 0x0000000000403c6e in std::thread::_State_impl<std::_Bind_simple<void (*(unsigned int))(int const&)> >::_M_run() () \#14 0x00007f158364f5cf in ?? () from /lib64/libstdc++.so.6 \#15 0x00007f15839235ca in start_thread () from /lib64/libpthread.so.0 \#16 0x00007f1582db50ed in clone () from /lib64/libc.so.6 When i run the same program as with reserve(20) it works fine. the question is what is going on here. I assume with mutex protection also if this is happening then there is something i am missing that is inherently flawed with vector interface itself. Kindly guide !! #include<iostream> #include<vector> #include<mutex> #include<thread> #include<algorithm> using namespace std; std::vector<int> g_vector; std::mutex g_mutex; bool demoFlag = false; void pushItem(const int& ref) { if(demoFlag) { cout << "Locking is enabled. so i am locking" << endl; std::lock_guard<std::mutex> lock(g_mutex); } g_vector.push_back(ref); } int main(int argc, char* argv[]) { if(argc == 2) demoFlag = atoi(argv[1]); g_vector.reserve(10); for(unsigned int i=0; i<10; ++i) g_vector.push_back(i); std::vector<std::thread> threads; for(unsigned int i=0; i<10; ++i) threads.push_back(std::thread(pushItem,i)); std::for_each(threads.begin(), threads.end(), std::mem_fn(&std::thread::join)); for(const auto& ref : g_vector) cout << "Item is = " << ref << " , "; cout << endl; } A: Your lock is not be used. some code should be like this: void pushItem(const int& ref) { std::lock_guard<std::mutex> lock(g_mutex); cout << "I am locking" << endl; g_vector.push_back(ref); }
2024-02-16T01:26:51.906118
https://example.com/article/1178
Nick Kyrgios sinks into the sofa at his rented home by Wimbledon Common, wearing his favoured off-duty kit of baggy shorts and basketball top, and is wondering how he ever came to be here. 'Growing up I never thought that I would be a professional tennis player, never crossed my mind,' admits the 23 year-old Australian. So you're the accidental tennis player? 'You could say that, yeah.' Some days he is very happy in the role, other days he is not. This goes some way to explaining his unpredictable behaviour on court, about which he is disarmingly honest. Nick Kyrgios admits some days he'd rather do anything else than play tennis 'I played eighteen tournaments and I probably tanked eight of them, but I'm still ranked in the top twenty,' he says, with a jaw dropping matter-of-factness. Kyrgios defies simplistic analysis and divides opinion like no other player in the game. But on one thing everyone is agreed, including sages such as John McEnroe and Brad Gilbert: he has more raw talent than anybody tennis has seen since members of the 'Big Four' first emerged. The invite to go round comes on Thursday afternoon. He is on his way back from practice at Queen's Club when I arrive, to be let in by his mother Nill who, it turns out, is absolutely charming. Kyrgios will play at Queen's in London next week as he prepares for Wimbledon Over a mug of tea she tells of how her younger son morphed from a tubby child into a pristine athlete; how she met his father George while they were students at Canberra's university; of overnight car journeys to country towns where they would stay at caravan parks while he played junior tournaments. And also of the hurt she has sometimes felt at vehement criticisms of her son. She admits can be headstrong but feels he is undeserving of some of the more personal attacks. After a while Kyrgios arrives back with a cheery 'Hello!' and a beaming, natural smile. It is a scene of normal domesticity miles removed from the portrait of him as some Prince of Darkness. Andy Murray has become a good friend and is among those who have said that the latter image is way different to reality. It turns out they have just been in the gym together, where Murray has been winding him up about his basketball skills compared to those of his compatriot Bernard Tomic. Kyrgios grew up in Canberra and he has always had a particularly strong personality Growing up he admits he never thought he would become a professional tennis player Eight-year-old Kyrgios (far right) with his dad George and team-mates after winning his first tennis trophy. He now has three ATP level tour titles Kyrgios's mum, Nill, revealed how her son morphed from a a tubby child into a pristine athlete SUPER STAT 2 - Nick Kyrgios is one of only two players, along with countryman Lleyton Hewitt, to have beaten Rafael Nadal, Novak Djokovic and Roger Federer at the first time of asking. Advertisement The Scot and Kyrgios have much in common, from a not immediately obvious personal warmth, to a tendency to question received wisdom, to an uncanny tactical reading of the game. Murray knows what it is like to feel misunderstood while you make youthful mistakes very publicly. What they do not share is an unabashed love of the sport and a meticulous attention to detailed preparation. And while Murray has learned to choose his words carefully, Kyrgios remains gloriously unfiltered. 'Some days it's fun to play but sometimes I'd rather be doing something else,' he bluntly concedes. 'When I'm on the road there are times when I find the motivation tough. I don't like the long trips, I dread them. I hate the travelling.' At Queen's last year - where he is playing next week - the story went that, when his first round match against Milos Raonic was called, he was lying on a sofa in players' lounge. He then just picked up his racket bag and walked straight out on court without warming up. You ask if this is true. 'Yes, that's what happened. I just like to go out on court and play some tennis, although I don't think people believe me. I couldn't have the same approach as Raonic. He has a big team around him and does everything very diligently, that isn't me.' At Queen's last year he didn't prepare for his match against Milos Raonic in the first round He has, though, stepped up his level of professionalism since an early exit from January's Australian Open left him feeling 'in a dark place'. He has spent most of his career without a coach, but since then he has been doing some work with Frenchman and ex Wimbledon semi-finalist Sebastien Grosjean. Kyrgios is again startlingly direct about their arrangement. 'I really like Seb, he is a caring guy who is helping me and we get along great. But I would rather not have a coach if I'm honest. I got sick of people around me saying I need a coach so I've got one. He's not too full on.' Many believe that Kyrgios will win Wimbledon one day. He made the quarter finals aged 19, dramatically hitting Rafael Nadal off the Centre Court in the fourth round. His loose right arm can impart extraordinary power onto a tennis ball, and his astute reading of the game is underrated . 'I love it here in London, and I feel Wimbledon is probably my best chance of winning a Grand Slam,' he says. While his talent is highly unusual, there is a contrasting ordinariness about him outside the pressure of the rectangle. He admits to doing foolish things in the past but explains that he struggles with the blowtorch of public scrutiny. He says his approach to the way he plays tennis has changed, as has his attitude 'I hate people thinking I'm anything different to them. I just play tennis, I'm a normal young guy, I love spending time with my girlfriend (Croatian-Australian player Ajla Tomljanovic, whose name is tattooed on his wrist), I love basketball, I play video games. I'm not at all high maintenance away from the court.' He also likes football, and as a Spurs fan is a big admirer of Harry Kane. But basketball is his major passion, particularly the Boston Celtics, and he played it to state level until choosing to concentrate on tennis. 'I sometimes wonder what would have happened if I'd stuck with basketball, but the path I've chosen is not the worst. I originally played tennis because my brother (Christos) was playing and my parents wanted me to, and I found it came pretty easily to me.' He has clearly been blessed by coming from a strong and supportive family of three children (his sister Halie is a musical actress). Nill - short for Noralia -is originally from Malaysia and arrived in Australia aged twelve. A software writer, she met his father George, who still runs his own small painting business, through being in the same university class. Kyrgios worked hard at his game and also to get himself in the best shape possible There is no history of tennis in the genes but his mother was a national college badminton champion. His father had a season playing professional soccer in Melbourne and was offered terms to go and play back in Greece, where his family are originally from, but turned it down. Nill, who has not spoken publicly before, describes how her younger son was initially unexceptional at tennis due to his build: 'He was a chubby little boy but always very strong and competitive. We knew that he would lose his puppy fat eventually because that was what happened with his older brother. He was also lucky in that there was a very strong group of boys his age in Canberra, and they all pushed each other. Quite a few went on to win tennis scholarships to colleges in the United States.' By twelve Nick was starting to edge ahead of the pack and won a national title. His victory speech that day is fondly remembered in Canberra tennis circles. It amounted to: 'I would like to thank the canteen ladies for their delicious chicken sandwiches.' He has built a reputation in the past for having a short temper which has got him into hot water His childhood coach, Andrew Bulley – who still strings his rackets – recalls a boy never afraid to question what he was being taught: 'He was a very nice kid but he was not into repetition work and always wanted to know why we were doing a particular drill. If you didn't have a solid answer he would find you out. I think that's maybe why he has never been that keen on having a coach.' By now his family were into a routine that other tennis parents will recognise, ferrying their offspring around and trying to meet the costs. 'We didn't have much money so we would stay in caravan parks during tournaments and sometimes you'd arrive there in the middle of the night, because we had to leave late after basketball practice,' says Nill. ' There are no lights on those country roads, you just hope that you don't break down. Nick would sleep on the back seat under a blanket but he never complained. Luckily, because I was writing computer software for hospital pharmacies, I was able to work on my laptop while he was playing. 'It was fine. Actually until recently we have never stayed in very smart places, always the same little hotel in Melbourne.' The family have also lived in the same house in the north Canberra suburbs for 31 years. She admits there have been times when the criticism of her son has got to her. Australian swimming legend Dawn Fraser was among those who piled in after his controversial exit at Wimbledon two years ago to Richard Gasquet, when he admittedly appeared to give up during one game. Kyrgios grew up with 'a very strong group of boys his age in Canberra', says his mother Nill 'All children are different, young people aren't always angels, I'm sure Dawn Fraser wasn't an angel herself when she was younger,' responds Nill. 'I wanted to explain that they don't know him. At the beginning it hurt a lot but it doesn't register as much now. I've been called a bad parent. I've talked to Judy Murray about it, she has gone through the same thing. Nick actually cares about other people a lot.' She also points out, along with others who are close to him such as his British manager John Morris, that the relationship with Tomljanovic has been a positive influence. As a sport tennis is unsure about what it wants from Kyrgios. Desperate for new stars who generate interest as the stellar generation of Murray and co. get older, it craves his untamed, box office appeal. But then it cannot look the other way, such as when he tanked in Shanghai last October, which led to a suspension. He is not a saint, but he is far from an irredeemable sinner. In the next few weeks it will be hard to avert the eyes from this most compelling, deceptively complex athlete.
2023-10-07T01:26:51.906118
https://example.com/article/1992
Description The truly mesmerising Mathmos Lunar Eclipse in action is hypnotically beautiful blown glass globe and is one of the most unusual pieces of ambient lighting we've ever seen,. It's the ideal way to add a seductive, ever-changing glow to your home. Basically the Mathmos Eclipse works in a similar way to a lighthouse lens because its light effect engages the eye by coming in and out of view as you move around the lamp. But unlike a lighthouse the Eclipse gently cycles through a kaleidoscope of glorious lunar colours. How? Well, various hidden LEDs are reflected into the focal point of the silvered sphere to create an utterly spellbinding effect that's unlike anything you've ever seen. It's a bit like staring into an electric fish bowl. We imagine. To add to the hi-tech feel there are no switches or buttons on the Eclipse; you simply press down on the globe to turn it on and off - an action you'll be carrying out on a regular basis, because once you see this hypnotic sphere in all its glowing glory you'll be Eclipsing-it every single night.
2024-03-15T01:26:51.906118
https://example.com/article/4341
Q: rails 5.2 how to get form-data value in controller I have a simple HTML form and I'm sending some data to my server by using Fetch API and FormData. I'm sending role and user_id with their values to the server. In controller when I print params I get: {"-----------------------------1190833731009709688837505639\r\nContent-Disposition: form-data; name"=>"\"role\"\r\n\r\nadmin\r\n-----------------------------1190833731009709688837505639\r\nContent-Disposition: form-data; name=\"user_id\"\r\n\r\n1\r\n-----------------------------1190833731009709688837505639--\r\n", "controller"=>"users", "action"=>"updaterole", "id"=>"1"} How can I access and get role and user_id value from this? This is my script on client side: var form = document.querySelector("#roleForm"); var formdata = new FormData(form); fetch(url, { method: "PATCH", headers: { 'Content-Type':'multipart/form-data' }, body: formdata, }).then( response => response.text() // .json(), etc. // same as function(response) {return response.text();} ).then( html => { console.log(html) } ); A: in my case, that it is alredy mentioned in comments, we have incorrect body. i solved it by removing headers: { 'Content-Type':'multipart/form-data' }, form fetch request.. looks like we dont need add Content-Type to header. anyway my issue solved by this .
2023-12-29T01:26:51.906118
https://example.com/article/2247
Q: Deploying and hosting a PWA in NodeJS I have created a PWA on Ionic, and I have tested it locally on localhost: 8100 and I have also uploaded the production version to the Firebase hosting and It works. But what I want to do is be able to host a PWA on a NodeJS server. It's possible? I have not found clear information about it ... Any ideas or docummentation about it? Best regards. A: you need have VPS, after then you install nodejs and PM2 run background nodejs, install nginx config proxy run nodejs, you can see:How To Set Up a Node.js Application for Production on Ubuntu 16.04,How To Set Up a Node.js Application for Production on CentOS 7 //install pm2 $ npm install pm2 -g $ cd /var/www/app-nodejs $ pm2 start app.js //install nginx on CentOS 7 sudo yum install nginx -y //if using ubuntu, you install nginx on Ubuntu sudo apt-get install nginx -y //config nginx on CentOS 7 sudo nano /etc/nginx/nginx.conf //edit file nginx.conf location / { proxy_pass http://localhost:8080; proxy_http_version 1.1; proxy_set_header Upgrade $http_upgrade; proxy_set_header Connection 'upgrade'; proxy_set_header Host $host; proxy_cache_bypass $http_upgrade; } //restart nginx on CentOS 7 sudo systemctl restart nginx
2024-02-05T01:26:51.906118
https://example.com/article/1220
Watch Nintendo’s E3 2019 press conference right here E3 2019 is here! Join Colm Ahern, Josh Wise, Dan Webb, Rich Walker and Dean Abdou for some pre-show and post-show chat, on top of watching all the wonderful game announcements from the Nintendo showcase.
2023-11-30T01:26:51.906118
https://example.com/article/7683
The Free Gaza movement (http://www.freegaza.org/) is a human rights group that, since August 2008, has traveled nine times to Gaza by sea to break Israel's illegal stranglehold on1.5 million Palestinian civilians. We entered Gaza successfully five times in 2008; however, we have been violently intercepted on the past four voyages, including Israel's MAY 31, 2010 lethal attack on our Freedom Flotilla,when nine of our colleagues were killed and many more injured by Israeli commandos. The Free Gaza movement and its coalition partners, the European Campaign to End the Siege on Gaza; IHH -- the Turkish Foundation for Human Rights, Freedoms and Humanitarian Relief; the International Committee to End the Siege on Gaza; Ship to Gaza Sweden and Ship to Gaza Greece are the only organizations that have sent boats directly to Gaza in defiance of Israel's criminal closure of the Gaza Strip. We sail as an expression of citizen nonviolent, direct action, confronting Israel's ongoing abuses of Palestinian human and political rights. Regarding statements of government officials in Israel (echoed by officials in other countries) about diplomatic initiatives to impede the “Freedom Flotilla II-Stay Human” mission to Gaza, Palestine, we say: Proper diplomacy does not exclude humanitarian action; Instead of seeking to prevent an international community of concerned citizens from taking nonviolent action in defense of liberty and human rights, diplomacy must pursue such actions and encourage them. It is, therefore, a provocation to label the humanitarian action taken by movements supporting human rights to sail to Gaza a “provocation.” It is a provocation that powerful states and international organizations, such as the US, Israel, the EU and the UN, are asking people to be silent and not react to violations of law and the disdain for universal values. It is a provocation that international diplomacy is demanding that solidarity action from "people to people" be stopped. It is a provocation that this international peaceful action is threatened with violence, and the powerful of the earth “wash their hands” of the consequences if Israel attacks us. It is a provocation that these powerful entities justify,a priori, the murders, wounding, arrests and torture of unarmed human rights activists that took place one year ago on board all six ships of Freedom Flotilla 1. We are determined to sail to Gaza, and we will. Our cause is just and our means are transparent. International diplomacy must do what it has refused to do for years, to undertake initiatives that it has turned away from for decades. Instead of condoning threats of repeated violence against unarmed civilians sailing in international waters, the global community must legally sanction the perpetrators of such crimes. Those who seek to uphold and defend freedom, human rights, and justice must do more than denounce belligerent occupation, man-made humanitarian crises, ethnic cleansing, wanton violence against civilians, and the fierce oppression of social movements. Civil society must be present, direct, and pro-active; it must transcend the political process of handling and resolving crises, which governments and international organizations carry out slowly, indecisively and, above all, with their self-interest at the forefront. The grossly unjust and unlawful blockade of the Gaza Strip and the ongoing belligerent occupation of the rest of Palestine is a stark case of states sacrificing principle and human rights for power and self-interest. The Freedom Flotilla II –Stay Humanmission is a healthy reaction to the apathy of the international political community. We are sailing to confront massive injustice with global nonviolent action. This mission puts on notice all those who, for many years, have passively watched the tragedy of Palestine, as well as those who directly contribute to it. Therefore, direct action taken by civil society to uphold freedom, human rights, and justice (such as Freedom Flotilla II -Stay Human), not only helps to build a different level of conscience, but is, and has to be, a means for the public to become a part of change and a direct challenge to governmental bodies that will not be stopped. Israel’s announcement today that it is “allowing between 210 and 220” trucks into Gaza with humanitarian aid is a direct response to the pressure that the upcoming Freedom Flotilla II is creating. Since July 2007, Israel has kept the number of allowed trucks at 25% of what the pre-blockade numbers were and of what is required by Gaza residents. To date, Israel has not responded to calls by human rights organizations or the UN to increase the numbers. Only as a result of the mounting pressure from the Freedom Flotilla has Israel altered its policy. However, today’s allowance still falls 35% short of what is needed in Gaza. Letting in more trucks is not enough. More trucks with food and medicine are only meant to give the appearance of an open Gaza. More trucks does not mean freedom; more trucks does not mean rebuilding the hundreds of homes and buildings that the Israeli military destroyed during Operation Cast Lead (only 12 of the trucks being allowed in contain construction material for UN projects); more trucks does not mean Gaza is not occupied and its residents subjected to collective punishment; more trucks does not mean that Israel has ended its cruel blockade; more trucks does not mean that Palestinians are any less imprisoned. More trucks do, however, mean that Israeli farmers and merchants make money off the occupation. as most international agencies bringing aid into Gaza are forced to buy their supplies from Israel. Freedom Flotilla II will sail at the end of June to press Israel and the international community to end the occupation of Palestine and to ensure freedom for Palestinians – just as any other people in the world have the right to be free. Instead of pressuring countries to stand in our way, or coming up with ways to bribe governments to stop our ships, the UN, the United States and the rest of the international community should recognize the power of this non-violent civilian effort to pressure Israel to change its policy. With Israel’s change in policy after Freedom Flotilla I, and now these moves to pre-empt our flotilla, it seems we are succeeding where the international community continues to fail. Haifa, Israel (CNN) -- Nine years after an American activist was crushed by an Israeli army bulldozer, an Israeli civil court ruled Tuesday that Rachel Corrie's death was an accident. Corrie, 23, was killed in 2003 while trying to block the bulldozer from razing Palestinian homes. Her parents filed suit against Israel's Ministry of Defense in a quest for accountability and sought just $1 in damages. But Judge Oded Gershon ruled Tuesday that the family has no right to damages, backing an earlier Israeli investigation that cleared any soldier of wrongdoing. "I believe this was a bad day not only for our family, but a bad day for human rights, for humanity, for the rule of law and also for the country of Israel," her mother, Cindy Corrie, said after the verdict.\
2024-03-13T01:26:51.906118
https://example.com/article/5674
Ten-year trends in cardiovascular risk factors of Siberian adolescents. To evaluate trends in CVD risk profile of adolescent population in Novosibirsk during social and economic crisis in Russia (1989-1999). Three cross-sectional surveys of samples of schoolchildren aged 14-17 in 1989 (657), in 1994 (620) and in 1999 (626) were undertaken. Total sample was 1903 (914 males and 989 females). The programme of the surveys included a questionnaire (smoking and physical activity habits), measuring blood pressure, weight, serum lipids and lipoproteins, and a 24-hour dietary recall. Prevalence of regular smoking (1 cig/day and more) decreased from 42% (1989) to 33% (1999) in males. Frequency of overweight (BMI > = 22.0) significantly decreased both among boys (from 29% to 7%) and girls (from 30% to 14%). The number of teenagers with high blood pressure (systolic or diastolic BP > = 140/90 mm Hg) also decreased in both gender groups. The prevalence of high total cholesterol (> = 200 mg/dl) significantly decreased from 22% to 6% in males and from 32% to 14% in females. The frequency of low HDL cholesterol (< = 40 mg/dl) also decreased in boys (from 28 to 8%) and girls (from 12.5% to 3%). Low physical activity (< = 2 h/week) was high and without any big changes. The results obtained showed serious changes in the CVD risk profile of Siberian adolescents during the crisis period.
2024-06-01T01:26:51.906118
https://example.com/article/1304
Does stress, anxiety, self-sabotage, and sleeplessness create obstacles on your path to achieving health, happiness and success? Do you wish to overcome your fears and act on your dreams, hopes and passions? Or simply begin — or end– your day being connected to your inner BE-ing? The best way to bring about feelings of calm for the body, heart and soul is to seek inner peace and banish negativity through meditation. It can also empower your mind to take control of your physical, emotional, intellectual and spiritual well-being! I am now offering a unique gift idea this holiday season—-a Personalized Ten Minute Meditation. Order one today for You or someone You Love. Only $25
2024-01-11T01:26:51.906118
https://example.com/article/5721
Q: Two ListView Side By Side I have two ListView. And I need to place them side by side horizontally. But the problem is - Only one list is visible. (Note : The second list is in right side of the layout and can have at most 1 character. And the first list will expand to fill the rest of the screen.) Help me please. The layout is like this. ------------ | | | | | | | | | | | | | | | | | | | | | | | | | | | ------------ <LinearLayout android:layout_width="fill_parent" android:layout_height="fill_parent" android:layout_weight="1" android:orientation="vertical" > <ListView android:layout_width="fill_parent" android:layout_height="fill_parent" /> </LinearLayout> <LinearLayout android:layout_width="wrap_content" android:layout_height="fill_parent" android:orientation="vertical" > <ListView android:layout_width="fill_parent" android:layout_height="fill_parent" android:drawSelectorOnTop="true" /> </LinearLayout> Shaiful A: I can't believe nobody has come up with this in three years. Perhaps somebody else will have this question. The issue is that ListView is greedy when it comes to horizontal space. You can tell it to pipe down using layout_width='0dp' and whichever layout_weight numbers you feel are best. Below is an example putting leftListView at ¾ and rightListView at ¼. I tried it, it works fine. <?xml version="1.0" encoding="utf-8"?> <LinearLayout xmlns:android="http://schemas.android.com/apk/res/android" android:layout_width="match_parent" android:layout_height="match_parent" android:orientation="horizontal"> <ListView android:id="@+id/leftListView" android:layout_width="0dp" android:layout_height="match_parent" android:layout_margin="2dp" android:layout_weight=".75" /> <ListView android:id="@+id/rightListView" android:layout_width="0dp" android:layout_height="match_parent" android:layout_margin="2dp" android:layout_weight=".25" /> </LinearLayout> Another alternative is to so the same layout trick but with FrameLayouts, then create fragments for each ListView. It's heavier but you might find value in having the Fragments lying around. A: I think use this code it will work fine. You have to use layout_weight = 0.5 and things will work perfectly fine. <LinearLayout android:layout_width="fill_parent" android:layout_height="match_parent" android:layout_marginBottom="60dp" android:layout_marginTop="60dp" android:orientation="horizontal" android:id="@+id/linearLayout2"> <ListView android:id="@+id/sportsList" android:layout_width="match_parent" android:layout_height="wrap_content" android:entries="@array/sports_array" android:layout_weight="0.5"/> <ListView android:id="@+id/sportsList_1" android:layout_width="match_parent" android:layout_height="wrap_content" android:entries="@array/sports_array" android:layout_weight="0.5"/> </LinearLayout> So, basically use two list views in a linear layout and give the weight of each layout to 0.5 . I think this helps.
2023-10-14T01:26:51.906118
https://example.com/article/4691
StartChar: uni067A.medi_KafBaaMedi Encoding: 67771 -1 2519 Width: 179 Flags: HW AnchorPoint: "TashkilAbove" 5 835 basechar 0 AnchorPoint: "TashkilBelow" 103 -327 basechar 0 LayerCount: 3 Fore Refer: 213 -1 N 1 0 0 1 24 596 2 Refer: 156 -1 N 1 0 0 1 0 0 3 EndChar
2024-01-08T01:26:51.906118
https://example.com/article/9643
re there in 27/4 of a tonne? 6750 How many nanoseconds are there in 3/8 of a microsecond? 375 What is 1/20 of a kilometer in meters? 50 Convert 7.523108g to kilograms. 0.007523108 How many litres are there in 8008.554ml? 8.008554 What is six fifths of a litre in millilitres? 1200 How many minutes are there in fifty-five halves of a hour? 1650 What is 45/4 of a day in minutes? 16200 How many micrograms are there in 70.0955 grams? 70095500 How many centimeters are there in 9.462683 kilometers? 946268.3 Convert 3.337232ug to nanograms. 3337.232 What is 3/7 of a week in minutes? 4320 How many meters are there in 945560.1 millimeters? 945.5601 How many millennia are there in 3.384972 years? 0.003384972 What is 0.403585 years in months? 4.84302 How many seconds are there in fourty-four fifths of a minute? 528 How many seconds are there in 5/6 of a hour? 3000 How many milliseconds are there in 21/2 of a second? 10500 What is 2.269007ug in milligrams? 0.002269007 Convert 2055.56211us to days. 0.000000023791228125 How many hours are there in eleven halves of a day? 132 How many litres are there in 9522.348ml? 9.522348 How many micrograms are there in 958.3792kg? 958379200000 How many meters are there in 3/5 of a kilometer? 600 How many grams are there in 17/4 of a kilogram? 4250 Convert 79550.51 decades to months. 9546061.2 What is 66.8329s in microseconds? 66832900 Convert 5901.698 millilitres to litres. 5.901698 Convert 7.641249 kilometers to meters. 7641.249 How many meters are there in 26664.87nm? 0.00002666487 Convert 0.7876005ml to litres. 0.0007876005 How many millimeters are there in one tenth of a meter? 100 How many months are there in 8/3 of a century? 3200 What is 27/2 of a tonne in kilograms? 13500 How many milligrams are there in 86031.93t? 86031930000000 How many micrograms are there in 72.38613 milligrams? 72386.13 How many centuries are there in 4339.052 years? 43.39052 How many decades are there in 3/25 of a millennium? 12 How many millilitres are there in 7475.17l? 7475170 Convert 0.2095671 minutes to milliseconds. 12574.026 What is 3/8 of a litre in millilitres? 375 How many millilitres are there in 95.3571 litres? 95357.1 What is 95.62179mm in kilometers? 0.00009562179 How many meters are there in fourty-three halves of a kilometer? 21500 What is 1.970301 minutes in nanoseconds? 118218060000 Convert 0.326761 centuries to years. 32.6761 What is 3/50 of a century in years? 6 What is thirty-two fifths of a century in decades? 64 What is fourty-eight fifths of a millimeter in micrometers? 9600 What is three tenths of a century in years? 30 Convert 42.9723 meters to kilometers. 0.0429723 Convert 7.724733nm to kilometers. 0.000000000007724733 What is 31/5 of a millennium in centuries? 62 What is 1/10 of a litre in millilitres? 100 What is 82749.033 microseconds in hours? 0.0000229858425 What is 2659.94 microseconds in milliseconds? 2.65994 How many centimeters are there in one tenth of a meter? 10 How many millilitres are there in 7/8 of a litre? 875 Convert 4607.418 years to centuries. 46.07418 How many micrograms are there in five eighths of a milligram? 625 How many hours are there in four thirds of a day? 32 What is 11/4 of a millisecond in microseconds? 2750 How many seconds are there in three tenths of a minute? 18 What is 35.39764 milliseconds in microseconds? 35397.64 What is one quarter of a micrometer in nanometers? 250 How many milligrams are there in 29213.16 kilograms? 29213160000 What is three eighths of a litre in millilitres? 375 What is three eighths of a milligram in micrograms? 375 What is 627.664 millennia in centuries? 6276.64 How many microseconds are there in 12.95042ns? 0.01295042 What is 5/14 of a week in minutes? 3600 What is 3/32 of a kilogram in milligrams? 93750 How many decades are there in one fifth of a century? 2 How many millilitres are there in nine tenths of a litre? 900 What is 79164.5l in millilitres? 79164500 What is 0.3370595 micrometers in millimeters? 0.0003370595 How many weeks are there in 71233.4763 milliseconds? 0.00011778021875 How many micrometers are there in 591.0328m? 591032800 How many millimeters are there in 53/5 of a meter? 10600 Convert 7722.591ml to litres. 7.722591 Convert 167961.1 tonnes to grams. 167961100000 What is 4943.558 millennia in decades? 494355.8 Convert 0.211038 meters to millimeters. 211.038 How many micrometers are there in 3/8 of a millimeter? 375 What is 825.799 milliseconds in nanoseconds? 825799000 What is twenty-nine fifths of a millennium in decades? 580 What is 3/25 of a milligram in micrograms? 120 How many millilitres are there in one twentieth of a litre? 50 What is 2068930.2 months in centuries? 1724.1085 What is 3.27095t in milligrams? 3270950000 How many kilometers are there in 94.92206m? 0.09492206 What is 45.47569 micrograms in grams? 0.00004547569 Convert 689.7203ns to seconds. 0.0000006897203 How many tonnes are there in 0.8686023 micrograms? 0.0000000000008686023 What is 157.353ml in litres? 0.157353 What is 1.906812 centuries in millennia? 0.1906812 How many months are there in 68.33785 millennia? 820054.2 What is 177.1115 hours in milliseconds? 637601400 How many grams are there in seven eighths of a kilogram? 875 Convert 6.918656 centuries to years. 691.8656 How many months are there in 603.4478 millennia? 7241373.6 How many meters are there in thirty-one halves of a kilometer? 15500 How many kilograms are there in 6/25 of a tonne? 240 Convert 4546.664ns to microseconds. 4.546664 Convert 71782.578 microseconds to days. 0.000000830816875 What is 1/4 of a gram in milligrams? 250 How many micrograms are there in 726.1133t? 726113300000000 What is 2319.153 weeks in minutes? 23377062.24 How many litres are there in 0.609332 millilitres? 0.000609332 What is 927950.4 seconds in milliseconds? 927950400 What is eighteen fifths of a milligram in micrograms? 3600 What is 172238.22 milliseconds in hours? 0.04784395 Convert 0.0927703 weeks to minutes. 935.124624 How many grams are there in seventeen tenths of a kilogram? 1700 What is seven sixteenths of a century in months? 525 What is 6/5 of a meter in millimeters? 1200 Convert 697413.8 litres to millilitres. 697413800 What is 5/4 of a litre in millilitres? 1250 How many millilitres are there in 25/4 of a litre? 6250 How many millilitres are there in 693.7428 litres? 693742.8 What is 4169.879 litres in millilitres? 4169879 What is 77/2 of a meter in centimeters? 3850 What is 98751.5 millilitres in litres? 98.7515 Convert 1796.61l to millilitres. 1796610 What is 0.8550433 kilograms in grams? 855.0433 Convert 40606.03 milligrams to micrograms. 40606030 How many millilitres are there in 3/10 of a litre? 300 What is 12/25 of a meter in millimeters? 480 Convert 62.57492 kilograms to micrograms. 62574920000 How many millilitres are there in 11/2 of a litre? 5500 What is 440225.8ug in tonnes? 0.0000004402258 How many hours are there in 5/4 of a week? 210 How many days are there in 10/7 of a week? 10 Convert 76.79067l to millilitres. 76790.67 What is seven quarters of a millennium in months? 21000 What is two ninths of a hour in seconds? 800 What is 13/4 of a kilogram in grams? 3250 Convert 0.2322748 meters to kilometers. 0.0002322748 How many seconds are there in twenty-five ninths of a hour? 10000 Convert 10.71259 litres to millilitres. 10712.59 What is 67113.11 centuries in millennia? 6711.311 How many millilitres are there in 1/5 of a litre? 200 What is 3/10 of a centimeter in micrometers? 3000 What is 0.7749756kg in tonnes? 0.0007749756 Convert 9416.28 centuries to millennia. 941.628 How many grams are there in eighteen fifths of a kilogram? 3600 How many kilograms are there in 53/4 of a tonne? 13250 How many meters are there in five quarters of a kilometer? 1250 What is 4/21 of a week in minutes? 1920 What is 0.3563789 microseconds in nanoseconds? 356.3789 How many nanometers are there in 1/10 of a micrometer? 100 Convert 1.04671g to tonnes. 0.00000104671 How many decades are there in 9283.466 centuries? 92834.66 How many millennia are there in 2.4265638 months? 0.00020221365 How many years are there in thirty-seven halves of a century? 1850 What is twenty-nine fifths of a litre in millilitres? 5800 What
2023-12-25T01:26:51.906118
https://example.com/article/4236
WASHINGTON—As he began his tenure serving as President Trump’s national security advisor, John Bolton reportedly arrived in the White House Tuesday excited to see so many familiar wars. “Afghanistan and Iraq are still here? Man, things haven’t changed a bit,” said a thrilled Bolton while making the rounds in the West Wing, adding how happy he was to see so many military conflicts he recognized from his time serving in the Ronald Reagan, George H.W. Bush, and George W. Bush administrations. “Wow, I can’t believe how many of the old War on Terror military campaigns are still around—Northwest Pakistan, Somalia, Libya—great to see them all. And Yemen was barely even a conflict when I was last here, and now it’s really come into its own. There are a few promising hostilities I haven’t become acquainted with that I’ve been hearing good things about, too, but overall, it feels like I can just pick up right where I left off.” Bolton added that he was also excited to bring a few new wars aboard, mentioning North Korea, Iran, and Turkey as conflicts he wanted to work with. Advertisement
2023-08-14T01:26:51.906118
https://example.com/article/7589
LAKE FOREST, Ill. -- Chicago Bears defensive tackle Julius Peppers finished Week 1 with nary a stat in the official game book of the club’s 24-21 win over the Cincinnati Bengals, prompting speculation that all of a sudden he’s fallen off as a player. Don’t buy into such talk, as one game isn’t sufficient to make a definitive judgment. The website Pro Football Focus surely isn't buying into Peppers diminishing. The site gave Peppers a “high quality” grade for his performance. “They did a good job [on Peppers],” Bears defensive coordinator Mel Tucker said. “They had a good plan coming in. They have a good coaching staff and some really good players. This was a good football team. We all want to play better this week. That’s the mantra this week. He’s always pretty focused, and I have complete confidence he’s going to come out and give us his best effort.” You should have that confidence, too. After a review of the tape, the coaching staff credited Peppers for one tackle against the Bengals. But if you look at Peppers’ body of work, he’s produced several games in which he didn’t contribute much in terms of statistics, yet still finished the season with double-digit sack totals. Of the 49 regular-season games Peppers has played with the Bears, he’s finished 26 of those contests with zero sacks, seven with zero tackles, and eight with only one stop. Yet with Peppers in the lineup, the Bears have compiled a record of 30-19 as he finished the 2012 season with 11 sacks or more in back-to-back seasons. He's the first Bears player to accomplish that since Hall of Famer Richard Dent (1986 and 1987). So an off game from Peppers shouldn’t fuel concern, especially when considering he’s got 15 more to play. In 2012, Peppers racked up 5.5 sacks in Weeks 2 and 3 after finishing without a sack in the season opener against the Indianapolis Colts, and throughout the defensive end’s tenure with the Bears, the sky didn’t fall when he didn’t contribute a sack. In fact, the Bears are 17-9 throughout Peppers' time in Chicago in games where he didn’t post a sack. Considering the offense is expected to be improved in 2013, perhaps the Bears don’t need Peppers to be a three-sack-per-game player. “I don’t think you have to have three sacks or two sacks to impact the game,” Bears coach Marc Trestman said. “[Peppers] played his position [against the Bengals in Week 1]. He was effective at times, and we were ineffective, collectively, at times.” But that’s always the case over the course of a season in the NFL. One game into 2013, there’s nothing to worry about.
2024-07-24T01:26:51.906118
https://example.com/article/4392
Why Romney lost the Asian vote The U.S. census provides the other half of the picture. In 1990, there were 6.9 million Asian Americans, most of whom were Chinese and Filipino. The Japanese, Korean, and Indian populations were roughly even at around 12 percent of the Asian population each, while Vietnamese were only 8.9 percent. But those relative percentages changed drastically over the next 20 years. By 2010, the share of Japanese dropped by more than half. The share for more Republican-friendly Filipinos and Koreans fell, too, though by much less. The Democratic-leaning Chinese remained stable at around 23 percent, while the Vietnamese increased their share to 10.6 percent. But Indians (by far the most liberal and most Democratic bloc of Asian Americans) upped their share by nearly two-thirds between 1990 and 2010, so that they now make up over 19 percent of the U.S. Asian population—just about 2.8 million people. What’s more interesting, a separate Pew study on religion shows that Asians who are evangelical Protestants or Roman Catholics lean more Republican than their coreligionists among all Americans. But as Razib Khan of Discover magazine points out, in 1990, 60 percent of Asian Americans were Christian, but two decades later, only 40 percent are. Looking at all these numbers, it’s no wonder Asian Americans went so strongly for Obama in 2012.
2023-10-05T01:26:51.906118
https://example.com/article/1386