text
stringlengths
20
1.13M
source_dataset
stringclasses
3 values
Nigrosines and indulines are azine dyes having blue, violet and black shades. They have a considerable technical importance due to the low cost and to the variety of applications, which are the ones typical of the solvent dyes. They can be employed to color waxes, lakes, shoe-polishes, printing inks, ribbons for typewriters and plastic materials. The indulines are the products obtained from the reaction of aniline and aniline hydrochloride with 4-aminoazobenzene. The nigrosines are the products obtained from the reaction of aniline with nitrobenzene in the presence of ferrous chloride and hydrochloric acid. Both nigrosine and indulines are complex mixtures of dyes. The composition of these mixtures depends on the reaction conditions (melting) employed when preparing same, and in particular on the reaction duration and temperature. The higher the temperature, the more aniline residues enter the molecule and the bluer the product becomes. In "Ullmanns Encyklopeadie der Technischen Chemie" 3rd ed. (1960), vol. 12, pages 733-4, there are listed seven (7) components present in the induline melting. The induline and nigrosine bases, by consequence, are not unitary compounds (as one can easily infer from a thin layer chromatography). As a result of their syntheses, they contain not only highly phenylated components such as, for example, anilido N-phenylphenosafranine (Nigrosine Base G), anilido N,N'-diphenylphenosafranine (Induline 3B) and dianilido-N,N'-diphenylphenosafranine (Induline 6B), but also impurities such as undesirable colored products having a lower condensation degree and a lower molecular weight (many of them contain free amino groups), oxidation products and aromatic amines. This non-homogeneity of composition represents a remarkable drawback for the above-mentioned applications of the indulines and nigrosines.
Pile
Bilateral retrobulbar optic neuropathy as the only sign of zoledronic acid toxicity. Bisphosphonates may rarely cause ocular adverse effects and retrobulbar optic neuropathy (RON) secondary to zoledronic acid is very rare. A 67-year-old man was referred because of progressive and painless decrease vision in the left eye. He had been treated with 7 cycles of zoledronic acid infusions because of metastatic prostate cancer. On examination, VA was 20/20 in the right eye (OD) and 20/50 in the left eye (OS). The optic nerve was unremarkable OU. Pattern visual evoked potentials (pVEP) and electroretinography were performed with the result of VEP responses abolished in OS, and the VEP waveform within the normal range amplitude and delayed peak latencies in OD. Due to the high suspicion of bilateral RON secondary to zoledronic acid, we decided to discontinue the treatment. Two months later, VA was 20/20 OD and hand motions OS, with relative afferent pupillary defect and a pallor of the optic disc in OS. The diagnosis of bilateral RON secondary to zoledronic acid infusions was confirmed, and it was only partially reversible. Zoledronic acid is a potent new generation bisphosphonate increasingly used in oncologic patients and it is usually well tolerated. Optic nerve toxicity is not a side effect recognised by either the Food and Drug Administration or the drug manufacturers, and to our knowledge, this is the first case of zoledronic acid-related bilateral RON with late onset. In conclusion, patients treated with bisphosphonates should be informed about the possibility of ocular side-effects, and ophthalmologists should be consider discontinuing the drug.
Pile
Dwayne Crutchfield Dwayne Crutchfield (born September 30, 1959 ) is a former professional American football player who played running back for the New York Jets, Houston Oilers, and Los Angeles Rams. He was drafted by the New York Jets in the third round (79th overall) of the 1982 NFL Draft. Throughout the course of his career, he rushed 235 times for 993 yards and 5 touchdowns. References Category:1959 births Category:Living people Category:American football running backs Category:Houston Oilers players Category:Iowa State Cyclones football players Category:Los Angeles Rams players Category:New York Jets players Category:Sportspeople from Cincinnati
Pile
Q: python & PIL & encode При работе с библиотекой PIL(pillow) я столкнулся с ошибкой из-за русских слов. Можно ли эту проблему как-то решить? Ошибка: Traceback (most recent call last): File "/usr/lib/python3/dist-packages/PIL/ImageDraw.py", line 233, in text mask, offset = font.getmask2(text, self.fontmode) AttributeError: 'ImageFont' object has no attribute 'getmask2' During handling of the above exception, another exception occurred: Traceback (most recent call last): File "maker_schedule_png.py", line 58, in <module> draw.text(position,temp_str) File "/usr/lib/python3/dist-packages/PIL/ImageDraw.py", line 237, in text mask = font.getmask(text, self.fontmode) UnicodeEncodeError: 'latin-1' codec can't encode characters in position 3-5: ordinal not in range(256) p.s. Вот код: import json from PIL import Image, ImageDraw list_day_of_week = ['Monday','Tuesday','Wednesday','Thursday','Friday','Saturday','Sunday'] with open('schedule.json','r') as file_schedule: schedule = json.loads(file_schedule.read()) file_schedule.close() with open('lessons.json','r') as file_lessons: lessons = json.loads(file_lessons.read()) file_lessons.close() list_need = [] for i in list_day_of_week: if schedule[i] != {}: list_need.append(i) list_number_lessons = [] for day_of_week in list_need: for day in schedule[day_of_week]: for number in day: if not(number in list_number_lessons): list_number_lessons.append(number) list_number_lessons = sorted(list_number_lessons) size = ((len(list_need))*200, (len(list_number_lessons))*60) image = Image.new("RGB", size, (0, 0, 0)) draw = ImageDraw.Draw(image) index_y = 0 index_x = 0 for index_1 in list_need: for index_2 in list_number_lessons: temp_str = '{}. '.format(index_2) if index_2 in schedule[index_1]: symbol_two_lessons = schedule[index_1][index_2].find('/') if symbol_two_lessons == -1: lessons_1 = schedule[index_1][index_2] lessons_1 = lessons[lessons_1]['full'] temp_str += lessons_1 else: lessons_1 = schedule[index_1][index_2][:symbol_two_lessons] lessons_2 = schedule[index_1][index_2][symbol_two_lessons+1:] lessons_1 = lessons[lessons_1]['briefly'] lessons_2 = lessons[lessons_2]['briefly'] temp_str += lessons_1 temp_str += '/' temp_str += lessons_2 print(temp_str) temp_str.encode('latin-1', 'ignore') position = [index_x, index_y, index_x + 200, index_y + 60] draw.rectangle(position) position = [index_x, index_y + 30] draw.text(position,temp_str) index_y += 60 index_y = 0 index_x += 200 A: Используйте параметр encoding='UTF-8' при загрузке шрифта: from PIL import Image, ImageDraw, ImageFont img = Image.new('RGB', (1000,500)) draw = ImageDraw.Draw(img) str = 'Привет' font = ImageFont.truetype("Roboto-Regular.ttf", 32, encoding='UTF-8') # draw.text((10, 10), str) -- ошибка draw.text((10, 10), str, font=font) img.save('test.jpg') Pillow (5.2.0)
Pile
import React from 'react' import StatusCard from 'components/JobRuns/StatusCard' import mountWithTheme from 'test-helpers/mountWithTheme' describe('components/JobRuns/StatusCard', () => { const start = '2020-01-03T22:45:00.166261Z' const end1m = '2020-01-03T22:46:00.166261Z' const pendingRun = { id: 'runA', status: 'pending', result: {}, createdAt: start, finishedAt: null, } const completedRun = { id: 'runA', status: 'completed', createdAt: start, finishedAt: end1m, payment: 2000000000000000000, } const erroredRun = { id: 'runA', status: 'errored', result: {}, createdAt: start, finishedAt: end1m, } it('converts the given title to title case', () => { const component = mountWithTheme( <StatusCard title={'pending_incoming_confirmations'} />, ) expect(component.text()).toContain('Pending Incoming Confirmations') }) it('can display children', () => { const withChildren = mountWithTheme( <StatusCard title={'pending_incoming_confirmations'}> I am a child </StatusCard>, ) expect(withChildren.text()).toContain('I am a child') }) it('can display the elapsed time for finished jobruns', () => { const erroredStatus = mountWithTheme( <StatusCard title="errored" jobRun={erroredRun} />, ) const completedStatus = mountWithTheme( <StatusCard title="completed" jobRun={completedRun} />, ) expect(erroredStatus.text()).toContain('1m') expect(completedStatus.text()).toContain('1m') }) it('displays a live elapsed time for pending job runs', () => { const now2m = '2020-01-03T22:47:00.166261Z' jest .spyOn(Date, 'now') .mockImplementationOnce(() => new Date(now2m).valueOf()) const pendingStatus = mountWithTheme( <StatusCard title="pending" jobRun={pendingRun} />, ) expect(pendingStatus.html()).toContain('2m') }) it('can display link earned for completed jobs', () => { const completedStatus = mountWithTheme( <StatusCard title="completed" jobRun={completedRun} />, ) expect(completedStatus.text()).toContain('+2 Link') }) it('will not display link earned for errored or pending jobs', () => { const erroredStatus = mountWithTheme( <StatusCard title="errored" jobRun={erroredRun} />, ) const pendingStatus = mountWithTheme( <StatusCard title="pending_incoming_confirmations" jobRun={pendingRun} />, ) expect(erroredStatus.text()).not.toContain('Link') expect(pendingStatus.text()).not.toContain('Link') }) })
Pile
Position statement on the use of bortezomib in multiple myeloma. Bortezomib (Velcade) is a boron containing molecule which reversibly inhibits the proteasome, an intracellular organelle which is central to the breakdown of ubiquinated proteins and consequently crucial for normal cellular homeostasis. Phase II clinical trials demonstrate it is effective for the treatment of relapsed refractory myeloma, and a phase III trial comparing bortezomib to dexamethasone in second/third line treatment showed superiority in progression free and overall survival. It is administered intravenously in the outpatient setting on days 1, 4, 8 and 11 of a 21-day cycle and regular monitoring for side effects is essential. It is currently approved for the treatment of multiple myeloma patients who have received at least one prior therapy and who have already undergone or are unsuitable for transplantation. Given the strength of this data the UK Myeloma Forum and British Committee for Standards in Haematology believe that bortezomib should be available for prescription by UK haematologists according to its licensed indication in patients with relapsed myeloma.
Pile
Perie Perie is a surname. Notable people with the surname include: Bianca Perie (born 1990), Romanian hammer thrower Hugo Perié (1944–2011), Argentine politician John Perie (1831–1874), Scottish soldier and Victoria Cross recipient
Pile
The keyword_p works in the same way as the str_p parser but matches only when the matched input is not immediately followed by one of the characters from the set passed to the constructor of keyword_p. In the example the "declare" can't be immediately followed by any alphabetic character, any number or an underscore. dynamic_distinct_parser and dynamic_distinct_directive In some cases a set of forbidden follow-up characters is not sufficient. For example ASN.1 naming conventions allows identifiers to contain dashes, but not double dashes (which marks the beginning of a comment). Furthermore, identifiers can't end with a dash. So, a matched keyword can't be followed by any alphanumeric character or exactly one dash, but can be followed by two dashes. This is when dynamic_distinct_parser and the dynamic_distinct_directive come into play. The constructor of the dynamic_distinct_parser accepts a parser which matches any input that must NOT follow the keyword.
Pile
Ahu Tappeh Ahu Tappeh (, also Romanized as Āhū Tappeh) is a village in Chaharduli Rural District, in the Central District of Asadabad County, Hamadan Province, Iran. At the 2006 census, its population was 293, in 63 families. References Category:Populated places in Asadabad County
Pile
Immunobiology of male infertility. Experimental and clinical data reported in the literature emphasize the important role that immune factors may play in the genesis of male infertility even if many problems still remain to be solved. Auto or homo-sensitization in animals (and in male volunteers) can be obtained with testicular homogenate or epididymal spermatozoa and complete Freund's adjuvant. Immune orchitis in spontaneous human pathology has also been reported. Vasectomy for the voluntary control of male fertility may be considered a particular form of experimental autoimmunization; and many vasectomized individuals develop antisperm antibodies in blood serum and/or in seminal plasma. In spontaneous male infertility antisperm antibodies can: (i) be a mere epiphenomenon; (ii) be a factor aggravating a pathologic situation already able to cause infertility; (iii) play a pathogenetic role in some forms of so-called idiopathic infertility and so could be defined as infertility due to antisperm antibodies. If the antisperm autoimmune reaction represents the casual factor of infertility, corticosteroid therapy seems to give the most satisfactory results, administered either in high doses for a very short time period or in low doses over a prolonged period, or even after transient pharmacologically induced azoospermia.
Pile
In one conventional data storage arrangement, a computer node includes a host processor and a host bus adapter (HBA). The HBA is coupled to a data storage device. A host processor in the computer node issues a first data transfer request that complies with a first protocol. The HBA converts the request into one or more other data transfer requests that comply with a second protocol, and issues the one or more other requests to the data storage device. In this arrangement, it is possible that the data transfer amount requested by a single data transfer request according to the first protocol may exceed the maximum data transfer amount that a single data transfer request according to the second protocol can request. One proposed solution to the problem is to restrict the maximum data transfer amount that can be requested by a single data transfer request according to the first protocol such that it is less than or equal to the maximum data transfer amount that can be requested by a single data transfer request according to the second protocol. Disadvantageously, one or more processes that implement the first protocol are modified to carry out this proposed solution; this may limit the types of processes that may be executed to implement the first protocol. Also disadvantageously, a greater number of data transfer requests according to the first protocol may be generated and issued; this may increase the amount of processing resources that may be consumed to generate data transfer requests according to the first protocol. In another proposed solution, if the data transfer amount requested by a data transfer request according to the first protocol exceeds the maximum data transfer amount that can be requested by a single data transfer request according to the second protocol, the HBA generates and stores in memory a linked list of separate data transfer requests according to the second protocol. The respective data transfer amounts requested by the separate requests sum to the data transfer amount requested by the data transfer request according to the first protocol. Disadvantageously, implementation of this proposed solution consumes an undesirably large amount of memory. Also disadvantageously, this proposed solution fails to appreciate possible data proximity in cache memory; this may result in inefficient use of cache memory. Although the following Detailed Description will proceed with reference being made to illustrative embodiments of the claimed subject matter, many alternatives, modifications, and variations thereof will be apparent to those skilled in the art. Accordingly, it is intended that the claimed subject matter be viewed broadly, and be defined only as set forth in the accompanying claims.
Pile
Benefits of sourcing property lawyers in Campbelltown If you are based in the Macarthur region of South West Sydney and are looking to invest in a piece of land to own or lease, then you will come into contact with property lawyers in Campbelltown. Some experts in this field are considered pure Campbelltown conveyancers who only concern themselves with legalities in the property market, whilst others lend their expertise to a raft of alternative departments in the legal profession. What should be outlined in this facet as you undertake your own search of the market is that these experts are already multiple steps ahead of you. If you are entering this region without any prior knowledge or experience when it comes to buying or leasing, then you will need to seek out a sounding board and advocate. Here is where property lawyers in Campbelltown enter the fray to help guide you and your family through the complicated process. Let us examine the benefits for engaging these representatives on your behalf. Handling paperwork The logistics that have to be undertaken to purchase land and/or a home can be extensive and the paperwork is simply one element that comes into play for property lawyers in Campbelltown. Consider the registration of liens, estate documentation, draft deeds, modification of terms, transactions, zoning requirements, value estimates, environmental examinations and more. This is all before the final contract would have to be signed and asking potential property buyers in the market to undertake these tasks off their own accord is beyond the norm. There would also be potential impediments that could emerge over the course of the process with trespassing violations, disputes over encroachment and real estate restrictions becoming a factor. Identifying opportunities Property lawyers in Campbelltown will be equipped with the understanding of what properties are up for sale, what regions are growing and what areas to avoid as a new family or investor is moving to Macarthur. The right house will not always make itself available at the first moment of looking and it will take a degree of insight and instinct that a conveyancing representative will have that will ensure they are looking out for the best interests of their client. Undertaking the conveyancing search The actual conveyancing search is a fundamental practice that property lawyers in Campbelltown will highly recommend they conduct in your presence. Of course there are no hard and fast rules as a potential buyer or investor can conduct the search themselves, but any details that need to be enquired about with questions on conditioning and alterations should require an expert on the spot. It will offer full disclosure and allow the party to make a more educated decision. Monitoring your budget During a consultation, any of the certified property lawyers in Campbelltown can take charge of your accounts and help to identify an investment based on your budgetary constraints. A general conveyancing fee will be in the region of $900 without disbursements should you be seeking a more modest investment. Yet a fully fledged legal representative can oversee more duties. Knowledge of the market Who better to gain an insight into the fluctuations of housing and land in the Macarthur region than property lawyers in Campbelltown? The alterations that will be occurring in Sydney just a short drive North will have a direct impact on this niche and it will be that appreciation and network that will inform their advice during your search. Summary Whether you access a general conveyancer or other forms of property lawyers in Campbelltown, it is paramount that you sound out their advice and let them know your demands and circumstances around a search. Finding that right home or piece of land will not always be a straightforward process so acquire one of the practicing property lawyers in Campbelltown that you can trust.
Pile
In many ways, the scam of the Boston Non-Bombing, aka The Boston Smoke Bomb, was even more obvious than the 9/11 false-flag. Fortunately, the “deaths” and the “injuries” in Boston were fake. With the rigged “trial” of the framed-up patsy coming up, now is a good time to review The Phony Photos of the Boston Non-Bombing.
Pile
Q: Google Cloud : How to send data within the network using public hostname without incurring the data transfer cost? I've a log aggregator service running on a cluster in Google Cloud. Applications both from inside and outside the Google cloud platform are supposed to send data to this service. Due to the design, there is a constraint that all internal/external apps can use only the same hostname/ip to communicate with the service. Now, if I use external IP as the advertised hostname, the system works fine but I'll be charged by Google for sending the data from Apps in internal network to the service. I want to avoid incurring this cost. On the other hand, AWS provides a public hostname which resolves to public ip from outside the network but resolves to internal ip from inside the network. This way I could have used public hostname for the service without incurring cost for internal data transfer. Is there a way to achieve the same thing in Google cloud? A: AWS EC2 does make this easy by providing hostnames that automatically resolve to either the public or private IPs depending on where they're being accessed. Google Cloud doesn't currently have this feature but here are some ways around it: Use the hostnames of the instances, instead of the IPs. The hostname will automatically be resolved to the internal IP when used inside GCP. When outside, you can edit the local hosts file on the external machines to resolve to the external IP. This isn't easy to scale though if you have lots of external machines or if they're outside your control. Run your own DNS server, setup a new domain, and automatically respond with the right IP depending on where the request is coming from. Use a virtual SDN (software defined network) to automatically route traffic. All the hosts will be on the same virtual LAN network and you can use internal IPs between them all. Internal hosts will automatically connect directly and external hosts will use a tunnel over the public internet, but both will use the same IPs. ZeroTier or Pritunl are good choices depending on what you need.
Pile
What have HMOs learned about clinical prevention services? An examination of the experience at Group Health Cooperative of Puget Sound. Over the last 20 years, HMOs have begun to develop population- and evidence-based systems for their clinical prevention services. Because of their integrated information systems and staff communications, HMOs are uniquely positioned to help physicians to identify systematically the primary risk factors or secondary prevention needs of individuals and to provide specific referral or screening services and off-site telephone counseling services to effect seamless, organized intervention. A review of the relevant published literature was combined with the empirical experience of the Group Health Cooperative of Puget Sound in Seattle to illustrate the approach of one large staff-model HMO. Challenges for the future include creating clinical information systems, establishing adequate funding, instituting practitioner incentives, training practitioners for behavioral change, and developing and integrating patient self-care.
Pile
1. Field of the Invention The present invention relates to a field effect transistor (FET), particularly a MOSFET, well adapted for increases in the densities and speeds of integrated circuits, and a process for producing the same. 2. Prior Art A brief description will first be made of the structure of a well known conventional MOSFET. FIG. 1 is a schematic cross-sectional view of a typical example of the structure of a conventional MOSFET, the cross section of which is drawn along the length-wise direction of a channel and perpendicular to the surface of a substrate. As is well known, this MOSFET is produced according to the following procedure. A field oxide film 12 and an inner oxide film 14 in a respective zone surrounded by the field oxide film 12 are formed through thermal oxidation of a silicon substrate 10 of a certain conductivity type. The whole surface of the oxide film 14 is then covered with a gate electrode metal according to a CVD method. The deposited gate electrode metal is patterned according to a photolithographic etching technology to form a gate electrode 16. The oxide film beneath the gate electrode 16 is to serve as a gate oxide film 18, as is well known. Using this gate electrode 16 as a mask, ion implantation of a suitable impurity is effected, followed by thermal diffusion of the implanted impurity ions to form first and second principal electrode regions (source/drain regions) 20 and 22. Contact holes are formed through the oxide film 14 (that may include an intermediate insulating film in the case where it is provided), followed by formation of first and second principal electrodes (source/drain electrodes) 24 and 26. In the conventional structure of such a FET produced in the foregoing manner, however, the following problems in particular arise when the gate length is decreased in keeping with the increasing scale of integration and speed of an integrated circuit. The first problem is a liability to a short channel effect. The second problem is a liability to a punch through effect. The third problem is increased influences on the characteristics of the device despite of a decreased junction capacitance in junctions between first and second principal electrode regions and a silicon substrate. One solution to the first and second problems is a method of forming an LDD (lightly doped drain-source) structure in a semiconductor device. In the LDD structure, however, the electric resistance of the principal electrode regions (source/drain regions) is increased. Furthermore, when an attempt is made to solve the foregoing three problems and lower the electric resistance of the principal electrode regions, a difficulty is encountered in dimensional control in the course of production of a device. An SOI (semiconductor on insulator) structure was proposed as a solution to the above-mentioned third problem. In this structure, the junction capacitance can be decreased, but a difficulty is encountered in forming the SOI structure itself. An object of the present invention is to provide a field effect transistor having a structure wherein manifestation of the above-mentioned short channel effect and punch through effect can be suppressed as much as possible and the influence of the junction capacitance on the characteristics of the device can be suppressed as much as possible, while at the same time setting the electric resistance of the principal electrode regions thereof at a low level, and a process for producing the same.
Pile
Q: SIGSEGV (Segmentation fault) C++ Pointers Ok this is my code: #include <iostream> using namespace std; class Nodo{ public: Nodo *siguiente,*anterior; string Nombre,Curso,Posicion; int carnet; Nodo(){ siguiente=anterior=NULL; Nombre=Curso=""; carnet=0; } }; class ListaCircular{ public: Nodo *PrimerNodo,*UltimoNodo; ListaCircular(){ *PrimerNodo->siguiente=*UltimoNodo; } }; int main(){ ListaCircular *a=new ListaCircular(); cout<<a->PrimerNodo->siguiente<<endl; return 0; } When i try to run it it says "BUILD SUCCESSFUL" but "RUN FAILED", and when i debug it the SIGSEGV message appears, the line that seems to have an error is: *PrimerNodo->siguiente=*UltimoNodo; but if i run the program again without the lines: ListaCircular *a=new ListaCircular(); cout<<a->PrimerNodo->siguiente<<endl; then the program have a succesfull build and run. How can I make that "cout" successfuly? A: In the constructor of this class: class ListaCircular{ public: Nodo *PrimerNodo,*UltimoNodo; ListaCircular(){ *PrimerNodo->siguiente=*UltimoNodo; } }; you are trying to dereference uninitialized pointer PrimerNodo, which produces undefined behavior. In your case it results to segmentation fault (which is actually good, because otherwise this kind of error might be hard to find). One of the possible solutions is to create these objects of type Nodo within the constructor's body: ListaCircular(){ PrimerNodo = new Nodo(); UltimoNodo = new Nodo(); PrimerNodo->siguiente = UltimoNodo; } also note that this line: cout << a->PrimerNodo->siguiente << endl; will print the address of the memory that a->PrimerNodo->siguiente points to.
Pile
Comparison of cis and trans tat gene expression in HIV LTR-based amplifier vectors. The long terminal repeat (LTR) of the human immunodeficiency virus (HIV) drives highly efficient gene expression in the presence of the transactivator, Tat. Thus, tat-containing vectors may be very useful tools in gene therapy. However information about the optimal way of delivering the tat gene is limited. In this study, we compared the effects of cis and trans expressions of the tat gene and its effects on HIV LTR-driven gene expression in different cell lines using non-viral vectors. The human interleukin-2 (IL-2) gene was used as a reporter gene under the control of the HIV2 LTR (pHIV2-IL-2). The tat gene, driven by a cytomegalovirus (CMV) promoter, was either co-transfected separately (pCMV-Tat) or inserted downstream of the IL-2 gene (pHIV2-IL-2-neo-C-Tat). Our results showed that HIV2 LTR-Tat-based vectors were much more potent than CMV promoter-based vectors in transient expression. The co-transfection of both plasmids was comparable to a single transfection of pHIV-IL-2-neo-C-Tat in both high and low transfection efficiency cells. In conclusion, the co-placement of HIV2 LTR and tat genes on a single plasmid allows for gene expression as efficiently as a two-plasmid system, suggesting that HIV2 LTR-Tat-based vectors may be attractive tools for gene therapy.
Pile
Nebraska Governor Signs Off on Keystone Pipeline Route Pipe is stacked at the southern site of the Keystone XL pipeline on March 22, 2012 in Cushing, Oklahoma. (Tom Pennington/Getty Images) Nebraska’s governor signed a deal approving a route for the controversial Keystone XL Pipeline, which would stretch from the Gulf of Mexico to Canada. The project was delayed last year by the White House. Gov. Dave Heineman (R-Neb.) approved a plan that would allow the pipeline to travel through his state, according to a letter dated Tuesday to President Barack Obama and Secretary of State Hillary Clinton. The proposed plan “avoids the Sand Hills,” the largest wetland ecosystem in the United States, and also avoids several other areas of concern, the letter states. Originally, it was proposed that the Keystone pipeline would go through the Sand Hills, but that was rejected due to environmental concerns while there were also concerns that a potential oil spill would threaten the Ogallala Aquifer. The letter states that the pipeline would still go through the “High Plains Aquifer, including the Ogallala group.” It added, “Impacts on aquifers from a release [of crude oil] should be localized and Keystone would be responsible for any cleanup.” Heineman said that the pipeline would result in $418 million worth of economic benefits for Nebraska. The state would also see $16.5 million generated in taxes from the pipeline’s construction, along with $11 million to $13 million in property taxes. When it was up for debate previously, the project was heavily criticized by environmentalists, while Republicans have said that the project is needed to generate jobs and help etch out the United States’s path toward energy sustainability. Previously, environmental concerns forced the Obama administration to put the project on hiatus in January 2012. Environmentalists and landowners in Nebraska said that the pipeline could potentially contaminate the Ogallala Aquifer, which contains a large supply of groundwater. Anthony Swift, energy analyst with the Natural Resources Defense Council (NRDC), said on the NRDC Staff Blog, “[The governor’s] decision will not ease the concerns of Nebraskans worried about the impacts a spill could inflict the sensitive environments the pipeline would pass through.” “If we are going to get serious about climate change, opening the spigot to a pipeline that will export up to 830,000 barrels of the dirtiest oil on the planet to foreign markets stands as a bad idea,” he wrote, referring to the oil extracted from the tar sands in northern Canada. In his letter, Heineman said that Keystone builder TransCanada Corporation would come up with an emergency response plan if an oil spill were to take place. TransCanada CEO and President Russ Girling stressed in a statement Tuesday that the pipeline will become a critical facet of the American economy. “The need for Keystone XL continues to grow stronger as North American oil production increases and having the right infrastructure in place is critical to meet the goal of reducing dependence on foreign oil,” Girling said in a news release. “Keystone XL is the most studied cross-border pipeline ever proposed,” he said, “and it remains in America’s national interests to approve a pipeline that will have a minimal impact on the environment.”
Pile
Q: Any Example for custom pagination in material-table and reactjs Any Example for custom pagination? material-table and reactjs. I want to pass from and to page size to server and need to hide first and last button from paging A: Styudy this example https://material-table.com/#/docs/features/component-overriding in order to understand better the code i will show: With this you can access directly to the pagination component and make the call by your own. `components={{ Pagination: props => ( <TablePagination {...props} rowsPerPageOptions={[5, 10, 20, 30]} rowsPerPage={this.state.numberRowPerPage} count={this.state.totalRow} page={ firstLoad ? this.state.pageNumber : this.state.pageNumber - 1 } onChangePage={(e, page) => this.handleChangePage(page + 1) } onChangeRowsPerPage={event => { props.onChangeRowsPerPage(event); this.handleChangeRowPerPage(event.target.value); }} /> ), }}` Using the same way you can change the text of this buttons, please check this example https://material-table.com/#/docs/features/localization. Best Regards
Pile
Noah Syndergaard believed he had already reached rock bottom. The imposing Mets pitcher’s E.R.A. was a bloated 6.35 after the season’s first month, and his record was 1-3. He no longer trusted his breaking pitches, and when he stood on the mound, he could not grip the baseball. The ball, he said, felt “slick as can be.” “Like holding an ice cube,” he said. But on Thursday at Citi Field, Syndergaard caught fire with a historic all-around performance. In a matinee outing, he offered the 21,445 fans in attendance a one-man show that lasted just over two hours and put him in rarefied territory for major league pitchers. In addition to striking out 10 batters in a complete-game shutout, Syndergaard rerouted a fastball 407 feet to left field for a solo home run in a 1-0 win over the Cincinnati Reds. It was only the seventh time in major league history that a pitcher homered and threw a 1-0 shutout, and the first time it had been done by a Met. The last pitcher to accomplish the feat was Bob Welch of the Los Angeles Dodgers in 1983.
Pile
Q: Ruby stubbing with faraday, can't get it to work Sorry for the title, I'm too frustrated to come up with anything better right now. I have a class, Judge, which has a method #stats. This stats method is supposed to send a GET request to an api and get some data as response. I'm trying to test this and stub the stats method so that I don't perform an actual request. This is what my test looks like: describe Judge do describe '.stats' do context 'when success' do subject { Judge.stats } it 'returns stats' do allow(Faraday).to receive(:get).and_return('some data') expect(subject.status).to eq 200 expect(subject).to be_success end end end end This is the class I'm testing: class Judge def self.stats Faraday.get "some-domain-dot-com/stats" end end This currently gives me the error: Faraday does not implement: get So How do you stub this with faraday? I have seen methods like: stubs = Faraday::Adapter::Test::Stubs.new do |stub| stub.get('http://stats-api.com') { [200, {}, 'Lorem ipsum'] } end But I can't seem to apply it the right way. What am I missing here? A: Note that Faraday.new returns an instance of Faraday::Connection, not Faraday. So you can try using allow_any_instance_of(Faraday::Connection).to receive(:get).and_return("some data") Note that I don't know if returning "some data" as shown in your question is correct, because Faraday::Connection.get should return a response object, which would include the body and status code instead of a string. You might try something like this: allow_any_instance_of(Faraday::Connection).to receive(:get).and_return( double("response", status: 200, body: "some data") ) Here's a rails console that shows the class you get back from Faraday.new $ rails c Loading development environment (Rails 4.1.5) 2.1.2 :001 > fara = Faraday.new => #<Faraday::Connection:0x0000010abcdd28 @parallel_manager=nil, @headers={"User-Agent"=>"Faraday v0.9.1"}, @params={}, @options=#<Faraday::RequestOptions (empty)>, @ssl=#<Faraday::SSLOptions (empty)>, @default_parallel_manager=nil, @builder=#<Faraday::RackBuilder:0x0000010abcd990 @handlers=[Faraday::Request::UrlEncoded, Faraday::Adapter::NetHttp]>, @url_prefix=#<URI::HTTP:0x0000010abcd378 URL:http:/>, @proxy=nil> 2.1.2 :002 > fara.class => Faraday::Connection
Pile
<?xml version="1.0" encoding="utf-8"?> <!-- ~ Copyright 2019. Google LLC ~ ~ 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 ~ ~ https://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. --> <resources> <string name="santa_locked">12月24日はサンタさんを追跡しましょう。</string> <string name="present_quest_locked">プレゼント クエストは 12 月 1 日よりプレイできます。</string> <string name="santa_snap_locked">Santa Snap はまもなくご利用いただけるようになります。</string> <string name="gumball_locked">ガムボールは 12 月 1 日よりプレイできます。</string> <string name="memory_locked">記憶ゲームは 12 月 1 日よりプレイできます。</string> <string name="rocket_locked">ロケットそりは 12 月 1 日よりプレイできます。</string> <string name="dancer_locked">ダッシャー ダンサーは 12 月 1 日よりプレイできます。</string> <string name="city_quiz_locked">都市クイズは 12 月 1 日よりプレイできます。</string> <string name="generic_game_disabled">%1$s は現在プレイできません。</string> <string name="generic_game_locked">%1$s はまだご利用いただけません。しばらくしてからもう一度ご確認ください。</string> <string name="video">動画</string> <string name="video_locked">動画は12月%1$d日よりご覧いただけます。</string> <string name="video_disabled">動画は現在ご覧いただけません。</string> <string name="play">遊ぶ</string> <string name="watch">見る</string> </resources>
Pile
Apoptosis and inhibition of the phosphatidylinositol 3-kinase/Akt signaling pathway in the anti-proliferative actions of dehydroepiandrosterone. Dehydroepiandrosterone (DHEA) is an endogenous steroid that is synthesized mainly in the adrenal cortex; it is found in plasma as the sulfate-conjugated form (DHEA-S). Pharmacological doses of DHEA exhibit anti-proliferative effects on malignant cell lines and some tumors in experimental animals. The purpose of this study was to evaluate the effect of these steroids on proliferation in human cancer cell lines. HepG2 and HT-29 cell lines were treated with DHEA or DHEA-S at 0-200 microM for 24 h or at 100 microM for 8-72 h, and then effects on cell growth, and the cell cycle and on apoptosis, were evaluated by 3-[4,5-dimethylthiazol]-2yl-2,5-diphenyl tetrazolium bromide (MTT) assay and flow cytometry, respectively. Also, the effect of DHEA on phosphatidylinositol 3-kinase (PI3K)/Akt signaling was investigated in HepG2 cells by Western blotting. The growth of HepG2 and HT-29 cells was significantly inhibited by DHEA, in a dose- and time-dependent manner. This inhibition was greater in HepG2 than in HT-29 cells. Accumulation at G0/G1 phase in both cell lines was observed with DHEA treatment. However, apoptosis increased significantly only in HepG2 cells. In contrast, DHEA-S exhibited much weaker growth inhibitory and cytostatic effects on both cell lines, and apoptosis was not detected. In HepG2 cells treated with DHEA, apoptosis was associated with markedly reduced Akt phosphorylation (Thr308 and Ser473), suggesting that DHEA inhibited the PI3K/Akt signaling to induce apoptosis in these cells. These results suggest that the induction of apoptosis through the inhibition of the PI3K/Akt signaling pathway is one of the anti-proliferative mechanisms of DHEA in certain tumors, but that DHEA also promotes cell-cycle arrest without the induction of apoptosis.
Pile
The State Department admitted Thursday that the US would not hand over $400 million in cash to Iran until it released four American hostages — two weeks after President Obama insisted the payment was not a “ransom.” State Department spokesman John Kirby was asked at Thursday’s press briefing: “In basic English, you’re saying you wouldn’t give them $400 million in cash until the prisoners were released, correct?” “That’s correct,” Kirby replied. In an Aug. 4 press conference, President Obama said the opposite. “We do not pay ransom. We didn’t here, and we won’t in the future,” the president told reporters, speaking of the Jan. 17 payment and hostage release. Families “know we have a policy that we don’t pay ransom. And the notion that we would somehow start now, in this high-profile way, and announce it to the world, even as we’re looking in the faces of other hostage families whose loved ones are being held hostage, and saying to them ‘We don’t pay ransom,’ defies logic,” Obama added at the time. He lectured the press for even raising the issue. “It’s been interesting to watch this story surface. Some of you may recall, we announced these payments in January. Many months ago. There wasn’t a secret. We announced them to all of you. [Press secretary Josh Earnest] did a briefing on them. This wasn’t some nefarious deal,” the president said. “It wasn’t a secret. We were completely open with everybody about it and it is interesting to me how suddenly this became a story again.” The US claims the money — delivered in cash stacked aboard an unmarked cargo plane — was part of a settlement of a longstanding dispute with the Iranian regime over a never-completed arms deal from the 1970s. Kirby continued to maintain Thursday that “the two negotiations were separate,” referring to the hostage release and arms deal. Kirby spoke after the Wall Street Journal reported that the departures of the crisscrossing planes — the one with the $400 million and the one with the four Americans — were linked.
Pile
1. Field of the Invention The invention relates to databases, and in particular, to a multi-contextual, multi-dimensional database optimized for processing of concepts. 2. Description of the Related Technology Conventional databases are typically designed with a single purpose in mind, within a closed system. There is a growing interest in the marketplace to share data in order to have multiple systems interoperate and, in some cases, benefit from a larger body of experience. FIG. 1A illustrates the limited record/field structure of a conventional database record and the limited number of associations possible from records lacking contextual robustness and depth. Much research has been done over the years to solve the challenge of a uniform representation of human knowledge. Solutions ranging from fixed taxonomies and ontologies to the more recent specification for the Semantic Web have made noble attempts at overcoming these challenges, but important gaps remain. Persistent problems can be summarized as follows: 1. Knowledge is created, recorded, transmitted, interpreted and classified by different people in different languages with different biases and using different methodologies thus resulting in inaccuracies and inconsistencies. 2. The vast majority of knowledge is expressed in free-form prose language convenient for human interpretation but lacking the structure and consistency needed for accurate machine processing. Current knowledge tends to be represented in a one-dimensional expression where the author makes a number of assumptions about the interpreter. 3. There is no international standard or guideline for expressing the objects and ideas in our world and therefore no way to reconcile the myriad ways a single idea may be represented. 4. As a result of the foregoing, the vast majority of information/knowledge in existence today is either inaccurate, incomplete or both. As a result, true industry-wide or global collaboration on projects ranging from drug discovery to homeland security is effectively prevented. 5. There are several reasons for this shortcoming: a) very few people have the training of an Information Scientist capable of capturing the multidimensional complexity of knowledge; and b) even with such training, the process has been extremely onerous and slow using current methods. 6. Compounding on these challenges is the fact that both new knowledge creation and the velocity of change is increasing exponentially. 7. Even though an abundance of sophisticated database technology is available today, improved data mining and analysis is impossible until the quality and integrity of data can be resolved.
Pile
Defender An intense combat-action flying experience, Defender offers players the ultimate in next-generation action and strategy. Players defend and protect the human race from an alien invasion as they assume the controls of next-generation combat-ready Defender ships. Battling an onslaught of vicious aliens, players strategically pilot their ship through more than 14 treacherous missions spanning the solar system, executing dynamic tactical maneuvers such as barrel rolls, 360-degree loops and spinning reversals in order to evade the enemy. Specifications Features Choose from six different ships, each equipped with advanced technology and impressive weaponry; Defend and save humans to help you earn ship upgrades and additional ground units; Use special tactical maneuvers including barrel rolls and 360-degree reversals to avoid alien attacks; Strategically position tanks and missle launchers to support your assault and annihilate the aliens. DVD Extras.
Pile
Whenever I open my mouth about the outrageous bias of our national news media, liberal journalists always seem to jump at the opportunity to prove me right. When I went on “Fox and Friends” Monday to talk about the Jussie Smollett hoax, for instance, I pointed out how ridiculous it was for the actor to claim he was attacked by two men in MAGA hats on the streets of Chicago. I made a joke about how no one wore MAGA hats in downtown Chicago because they would get shot in “two seconds.” No one watching the segment could possibly have believed that I meant you would literally be shot if you wear a MAGA hat in Chicago, but that’s how the media—in an obvious bad faith effort to make me look bad—reported my words. It’s even more upsetting that these are the same partisan hacks who reported the implausible lies of Jussie Smollett as Gospel truth and called anyone who questioned their narrative “far-right extremists” or worse. But the shameless misrepresentation of my words in the press, is emblematic of the blasé attitude most media outlets exhibit towards violence against my father’s voters. There are enough examples from Chicago alone to illustrate the inexcusable double standards of the national news media. In early 2016, my dad’s campaign had to cancel a major rally for the first time ever after Black Lives Matter and other extremist groups indiscriminately attacked both supporters who were trying to get into the UIC Pavillion to see my father speak and the police officers who were assigned to protect them. How did the media report this? “Violence breaks out at Trump rally.” That sort of deceptive headline reflected the media’s pattern throughout the campaign, and the practice continues right up to this day. When there’s violence against Trump supporters because of their political beliefs, the media will ignore it until they can’t, and then they’ll downplay it. If that fails, they’ll just proclaim that the Trump supporters had it coming to them because of the “climate of hate” that their political views create. Consider last week’s attack on Hayden Williams, a conservative activist who got cold-cocked on the University of California-Berkeley campus while he was recruiting students to join a conservative organization. At first, CNN and the rest of the fake news media just ignored it. Then, when the liberal media finally did get shamed into covering the Berkeley attack, they went with “allegedly attacked” headlines—despite the fact that two videos and one very ugly-looking black eye made it very clear what happened. They did the same thing with Kellyanne Conway when she was affronted by a protester, saying she only “claimed” to have been attacked. Yet, the vast majority of news outlets didn’t see the need to include qualifiers such as “allegedly” or “claimed” in their coverage of Jussie Smollett’s case. You see, when someone says Trump supporters committed a hate crime, the media thinks you can take that straight to the bank. Even though these “evil Trump supporter” stories are almost always complete fabrications, liberal reporters and editors write them uncritically and use them to whip up national hysteria again and again and again. When people who hate President Trump engage in real, verifiable, politically motivated violence, the media aren’t nearly so interested. For every fake attack blamed on Trump supporters, there’s a real one committed against Trump supporters. Just this weekend, a woman on Cape Cod, Massachusetts screamed at and hit a restaurant patron because he was wearing a MAGA hat. When the cops showed up, the attacker explained that she was the victim and that the man shouldn’t have been allowed to wear his hat. That may sound ridiculous, but, as we saw with the Covington Catholic kids, the mainstream media have basically the same attitude toward MAGA hats. You see, even though I was being hyperbolic in my “Fox and Friends” interview, I wasn’t completely kidding about the unacceptable amount of violence Trump supporters have faced in Chicago. On the Windy City’s West side, just days after my father won the election, a man who voted for him was savagely beaten and dragged from a car while people yelled “he voted Trump!” and “don’t vote Trump!” Months later, a craven group of thugs live streamed themselves cutting and beating a mentally disabled 18-year-old while they told the camera “F*** Trump” and “F*** white people.” These very real stories of political violence didn’t get nearly the attention that the mainstream media devoted to Jussie Smollett’s lies, which is precisely the point I was making with my joke about the dearth of MAGA hats on the streets of Chicago. Somehow, I don’t think the people who twisted my words were actually intending to prove my point. But that’s exactly what they did.
Pile
6.12.07 "Though the screenshot doesn't answer this question outright, we can confirm that the game's graphics are polygonal but the gameplay is strictly 2D. There will be new moves, locations, and gameplay features, while the standard six button control scheme remains. Ryu and Ken return along with Chun-Li and Dhalsim, but beyond that the character roster is a mystery. And then there's the issue of what platform(s) the game will end up on, which at this point Capcom is keeping close to its chest (if you search 1UP's database, you'll find listings for arcade, PlayStation 3 and Xbox 360 versions, but those are just guesses based on the graphical quality)."
Pile
Painting of Pittsburgh's Central Business District by Ron Donoughe Ron Donoughe has been painting for 25 years, and much of his work involves Pittsburgh. But his most recent project is different, he said. "It involves all 90 neighborhoods. Most folks don't realize there are that many. I know I was surprised when I saw a map, which listed them all. That's what sparked the idea. I actually thought I knew Pittsburgh until now." Ron, 55, of Lawrenceville, is painting each and every one of the neighborhoods -- in alphabetical order -- and posting the paintings, along with the stories behind them, on his blog. So far, he's up to 25. He explained his process for choosing his spots: "Sometimes it takes a couple days to know what and where I should paint. Other times I ask neighbors what they think is unique. That is always interesting because you find out what they consider special." When he gets behind his easel to paint, palette in hand, his work frequently draws spectators. At first, he said, passersby are usually a bit confused, "but after I get something started, curiosity gets the best of them and we meet." "I think of this as an opportunity to get to know the people of Pittsburgh and it is almost always enjoyable. They get to see something familiar through my eyes. People love it because the ordinary can suddenly become special." His twin brother and technological consultant, Don, talked him into blogging as a way to keep the project together and allow others to follow along. Ron said it has also encouraged him to meet people while painting and get their story. One of his favorite encounters, he said, was with a man on the Bluff who approached to admire his work. "He was raised there and was obviously very proud of the neighborhood. Althought homeless and struggling with serious addictions, he shared some real insight to the place I was painting. He offered me a blessing when we parted. "Those experiences cannot happen in the studio," Ron said. Ken, who owns a donut shop in Elliott, with the painting of his shop. He has also learned that Pittsburghers don't always agree on neighborhood boundaries. "I'll say, 'So how do you like East Hills?' The response is, 'This is Homewood! East Hills is up there.'" The ultimate goal of the project is "to create a visual time capsule of the 90 neighborhoods that reflects the character of the city over an entire year," he said. The Pittsburgh Center for the Arts will show the paintings in an exhibition once the project is completed, and Ron said there is also the possibility of a book. But, he added, "right now, this is so interesting, I don't want it to end." Bloomfield Central North Side (Mexican War Streets)
Pile
PC-games De nieuwste en bestverkochte games voor de pc vind je altijd bij wehkamp. Wil je fulltime gamen achter je pc of zoek je gewoon af en toe wat afleiding? Ons assortiment pc-games bevat meer dan 100 titels. Zo kan elke gamer vinden wat hij zoekt. PC-games voor iedereen Ben je op zoek naar een leuke pc-game die de hele familie kan spelen? Ga dan voor de nieuwste Sims. Creëer de leukste karakters en geef ze het leven waar jij altijd van droomde. Als je liever voor actie gaat, dan hebben wij ook de beste pc-games voor jou. Beleef epische gevechten met Call of Duty en Battlefield, of voltooi al je missies in de wereld van Watch Dogs. Ben je juist een echte voetbalfan en wil je altijd toegang hebben tot de beste voetballers ter wereld? Hier vind je altijd de nieuwste FIFA voor de pc zodat je geen dag meer zonder je favoriete hobby hoeft te zitten. Alles om te gamen Wij hebben niet alleen mooie pc-games voor je klaarliggen. Ook alles wat je nodig hebt om heerlijk te gamen achter je pc, vind je bij wehkamp. Een goede gaming-muis, headset of een geschikt gaming-toetsenbord. Je vindt het bij de pc-game-accessoires. Bestel vandaag nog Of je nu alleen speelt, online of juist met al je vrienden, wehkamp heeft altijd de pc-game die je zoekt. Met de beste prijzen en de wehkamp-service die je gewend bent. En komt van jouw favoriete spel binnenkort de nieuwe versie uit? Dan bestel die je bij wehkamp eenvoudig als pre-order. Dan heb jij jouw pc-game binnen op de dag dat ‘ie verschijnt. The game is on!
Pile
from pytest import raises from mido.messages.checks import check_time from mido.py2 import PY2 def test_check_time(): check_time(1) check_time(1.5) if PY2: # long should be allowed. (It doesn't exist in Python3, # so there's no need to check for it here.) check_time(long('9829389283L')) # noqa: F821 with raises(TypeError): check_time(None) with raises(TypeError): check_time('abc') with raises(TypeError): check_time(None) with raises(TypeError): check_time('abc')
Pile
Increased miniaturization of components, greater packaging density of integrated circuits (“ICs”), higher performance, and lower cost are ongoing goals of the computer industry. Semiconductor package structures continue to advance toward miniaturization, to increase the density of the components that are packaged therein while decreasing the sizes of the products that are made therefrom. This is in response to continually increasing demands on information and communication products for ever-reduced sizes, thicknesses, and costs, along with ever-increasing performance. These increasing requirements for miniaturization are particularly noteworthy, for example, in portable information and communication devices such as cellular phones, hands-free cellular phone headsets, personal data assistants (“PDA's”), camcorders, notebook computers, and so forth. All of these devices continue to be made smaller and thinner to improve their portability. Accordingly, large-scale IC (“LSI”) packages that are incorporated into these devices are required to be made smaller and thinner. The package configurations that house and protect LSI require them to be made smaller and thinner as well. Many conventional semiconductor (or “chip”) packages are of the type where a semiconductor die is molded into a package with a resin, such as an epoxy molding compound. Numerous package approaches stack multiple integrated circuit dice or package in package (PIP) or a combination. Other approaches include package level stacking or package on package (POP). POP design using resin encapsulation require special or custom mold chase for forming cavity or recesses in the resin encapsulation. Alternatively, specialized dam structures can be used with planar mold chases to form the cavity or recess in the resin encapsulation. Both processes add steps and complexity to the manufacturing of the package. Even designs that are not POP but requiring a window in the resin encapsulation also struggle with the same challenges as stated. Thus, a need still remains for an integrated circuit package system providing low cost manufacturing, improved yield, and improved reliability. In view of the ever-increasing need to save costs and improve efficiencies, it is more and more critical that answers be found to these problems. Solutions to these problems have been long sought but prior developments have not taught or suggested any solutions and, thus, solutions to these problems have long eluded those skilled in the art.
Pile
Hyposmocoma subnitida Hyposmocoma subnitida is a species of moth of the family Cosmopterigidae. It was first described by Lord Walsingham in 1907. It is endemic to the island of Hawaii. The type locality is Kīlauea. External links Category:Hyposmocoma Category:Endemic moths of Hawaii
Pile
Please find attached our Weekly Report for 3 August 2000.
Pile
Chicago | Reuters — Cargill, the top U.S. grain exporter, sued a unit of Syngenta in a Louisiana state court on Friday for damages stemming from China’s rejection of genetically modified U.S. corn, which Cargill said cost the company more than US$90 million. Minnesota-based Cargill accuses Syngenta of exposing the grain trader to losses by selling the seeds to U.S. farmers before the Swiss company had secured import approval from China, a major buyer. The Agrisure Viptera corn variety known as MIR 162 can be found throughout the U.S. corn supply, effectively closing the lucrative Chinese market to U.S. supplies, the lawsuit said. ADVERTISEMENT Cargill is suing Syngenta for negligence; knowing, reckless or willful misconduct; and unfair trade practices. The lawsuit seeks to hold Syngenta responsible for “deliberate, knowing and continuing contamination of the U.S. corn supply with a product that it understood all along would substantially impair the U.S. grain industry’s ability to sell corn and other commodities to buyers in China,” according to Cargill’s filing. Since November, China has rejected imports of hundreds of thousands of tonnes of U.S. corn, including from vessels loaded by Cargill in Louisiana, due to the presence of the MIR 162 trait, according to the lawsuit. Syngenta, the world’s largest crop chemicals company, said in a statement that the lawsuit was without merit. Trade disruptions have cost the U.S. grain industry up to US$2.9 billion, according to an estimate by the National Grain and Feed Association (NGFA), which was not immediately available for comment about the lawsuit. In April, Cargill said the rejection of U.S. corn shipments by China had contributed to a 28 per cent drop in its earnings for the quarter ended Feb. 28. ADVERTISEMENT “I want to be clear about this: Cargill is a supporter of innovation and the development of new GMO seed products,” Cargill AgHorizons’ U.S. chief Dave Baudler said in a company release Friday. “But we take exception to Syngenta’s actions in launching the sale of new products like MIR 162 before obtaining import approval in key export markets for U.S. crops. Syngenta’s actions are inconsistent with industry standards and the conduct of other biotechnology seed companies.” Cargill said filing the suit came only after talks with Syngenta “proved unproductive.” — Tom Polansek and Karl Plume report on agriculture and ag markets for Reuters from Chicago. Includes files from AGCanada.com Network staff.
Pile
Tax Law WHAT IS TAX LAW? The basic idea of taxation is simple: imposing a financial obligation upon individuals and companies to finance the many services provided by the government. However, the variety of taxes at the federal, state, and municipal levels and the range of activities that are taxed make for a very complex area of the law. Although most general practice law firms have a tax department, what those tax lawyers do may vary quite dramatically from firm to firm, especially depending on the firm's clients. A tax lawyer may be a generalist, or his or her experience may be very specific. Tax attorneys work in a wide variety of fields, some of which are described here: Tax Planning for Businesses & Tax-Exempt Organizations: When business entities are formed, tax planners work to analyze the implications of incorporating or forming a partnership. Tax attorneys are also intimately involved in acquisitions or divestitures of corporate entities. Additionally, tax attorneys guide non-profit organizations through the procedures necessary to gain and preserve their tax-exempt status. Tax Litigation: These attorneys specialize in tax-related controversies such as an individual or business subject to investigation or an audit by the IRS or by state or local tax authorities. Attorneys may represent their clients at audits or litigate issues in the U.S. Tax Court or the U.S. District Court. Employee Benefits: Tax attorneys play an important role in designing employee benefit plans including pension, profit-sharing, employee stock ownership, and 401(K) plans. Additionally, attorneys provide advice concerning the reporting and disclosure requirements of the Employment Retirement Income Security Act (ERISA), a federal act that governs the funding and administration of pension plans. Personal Estate Planning & Tax Planning: Estate planning involves helping individuals plan the distribution of their estate either prior to or upon their death, including planning the distribution of assets to beneficiaries and charitable organizations and advising clients concerning trusts for minor children or grown children with disabilities. See our page on Trusts & Estates for more information. IF YOU'RE CONSIDERING PURSUING A CAREER IN TAX LAW... 1. Take two to four basic tax classes in law school to help determine whether you really want to work as a tax attorney. 2. If you didn't take any accounting classes in undergraduate school, take an accounting for lawyers class in law school. 3. Work as a law clerk, legal intern, or summer associate at a law firm, government agencies, or public interest organization that works in the area of tax law. This will not only give you practical experience, but will also give you an idea of what day-to-day life is like for a tax attorney.
Pile
As used herein, the terms “user agent” and “UA” might in some cases refer to mobile devices such as mobile telephones, personal digital assistants, handheld or laptop computers, and similar devices that have telecommunications capabilities. Such a UA might consist of a UA and its associated removable memory module, such as but not limited to a Universal Integrated Circuit Card (UICC) that includes a Subscriber Identity Module (SIM) application, a Universal Subscriber Identity Module (USIM) application, or a Removable User Identity Module (R-UIM) application. Alternatively, such a UA might consist of the device itself without such a module. In other cases, the term “UA” might refer to devices that have similar capabilities but that are not transportable, such as desktop computers, set-top boxes, or network appliances. The term “UA” can also refer to any hardware or software component that can terminate a communication session for a user. Also, the terms “user agent,” “UA,” “user equipment,” “UE,” “user device” and “user node” might be used synonymously herein. As telecommunications technology has evolved, more advanced network access equipment has been introduced that can provide services that were not possible previously. This network access equipment might include systems and devices that are improvements of the equivalent equipment in a traditional wireless telecommunications system. Such advanced or next generation equipment may be included in evolving wireless communications standards, such as long-term evolution (LTE). For example, an LTE system might include an enhanced node B (eNB), a wireless access point, or a similar component rather than a traditional base station. As used herein, the term “access node” will refer to any component of the wireless network, such as a traditional base station, a wireless access point, or an LTE eNB, that creates a geographical area of reception and transmission coverage allowing a UA or a relay node to access other components in a telecommunications system. In this document, the term “access node” and “access node” may be used interchangeably, but it is understood that an access node may comprise a plurality of hardware and software. The term “access node” does not refer to a “relay node,” which is a component in a wireless network that is configured to extend or enhance the coverage created by an access node or another relay node. The access node and relay node are both radio components that may be present in a wireless communications network, and the terms “component” and “network node” may refer to an access node or relay node. It is understood that a component might operate as an access node or a relay node depending on its configuration and placement. However, a component is called a “relay node” only if it requires the wireless coverage of an access node to access other components in a wireless communications system. Additionally, two or more relay nodes may used serially to extend or enhance coverage created by an access node. An LTE system can include protocols such as a Radio Resource Control (RRC) protocol, which is responsible for the assignment, configuration, and release of radio resources between a UA and a network node or other LTE equipment. The RRC protocol is described in detail in the Third Generation Partnership Project (3GPP) Technical Specification (TS) 36.331. According to the RRC protocol, the two basic RRC modes for a UA are defined as “idle mode” and “connected mode.” During the connected mode or state, the UA may exchange signals with the network and perform other related operations, while during the idle mode or state, the UA may shut down at least some of its connected mode operations. Idle and connected mode behaviors are described in detail in 3GPP TS 36.304 and TS 36.331. The signals that carry data between UAs, relay nodes, and access nodes can have frequency, time, and coding parameters and other characteristics that might be specified by a network node. A connection between any of these elements that has a specific set of such characteristics can be referred to as a resource. The terms “resource,” “communications connection,” “channel,” and “communications link” might be used synonymously herein. A network node typically establishes a different resource for each UA or other network node with which it is communicating at any particular time.
Pile
Q: MediaStore contentResolver.insert() creates copies instead of replacing the existing file when taking photos (Android Q: 29) I am trying to save an image taken from the camera using the following codes: @RequiresApi(Build.VERSION_CODES.Q) private fun setImageUri(): Uri { val resolver = contentResolver val contentValues = ContentValues().apply { put(MediaStore.MediaColumns.DISPLAY_NAME, "house2.jpg") put(MediaStore.MediaColumns.MIME_TYPE, "image/jpeg") put(MediaStore.MediaColumns.RELATIVE_PATH, "Pictures/OLArt") } imageUri = resolver.insert(MediaStore.Images.Media.EXTERNAL_CONTENT_URI, contentValues) return imageUri!! } The function works well for the first time. however when the image (house2.jpg) already exists, the system will create another file called "house2 (1).jpg", "house2 (2).jpg, etc (instead of replacing the old file) is there anything I can set in the contentValues to force the resolver to replace the file rather than create copies of it? below is the codes for the take picture intent. Intent(MediaStore.ACTION_IMAGE_CAPTURE).also { takePictureIntent -> takePictureIntent.putExtra(MediaStore.EXTRA_OUTPUT, setImageUri()) //<- i paste in the imageUri here // Ensure that there's a camera activity to handle the intent takePictureIntent.resolveActivity(packageManager)?.also { startActivityForResult(takePictureIntent, 102) } } A: @CommonsWare's comment helped. The idea is to Query if file already exists with resolver.query() If yes, extract the contentUri from the cursor Otherwise, use resolver.insert() one thing to note when creating the selection for query is that MediaStore.MediaColumns.RELATIVE_PATH requires a terminating "/" i.e. 'Pictures/OLArt/' << note the slash after OLArt/ val selection = "${MediaStore.MediaColumns.RELATIVE_PATH}='Pictures/OLArt/' AND " + "${MediaStore.MediaColumns.DISPLAY_NAME}='house2.jpg' " The following is the updated codes. @RequiresApi(Build.VERSION_CODES.Q) private fun getExistingImageUriOrNullQ(): Uri? { val projection = arrayOf( MediaStore.MediaColumns._ID, MediaStore.MediaColumns.DISPLAY_NAME, // unused (for verification use only) MediaStore.MediaColumns.RELATIVE_PATH, // unused (for verification use only) MediaStore.MediaColumns.DATE_MODIFIED //used to set signature for Glide ) // take note of the / after OLArt val selection = "${MediaStore.MediaColumns.RELATIVE_PATH}='Pictures/OLArt/' AND " + "${MediaStore.MediaColumns.DISPLAY_NAME}='house2.jpg' " contentResolver.query( MediaStore.Images.Media.EXTERNAL_CONTENT_URI, projection, selection, null, null ).use { c -> if (c != null && c.count >= 1) { print("has cursor result") c.moveToFirst().let { val id = c.getLong(c.getColumnIndexOrThrow(MediaStore.MediaColumns._ID) ) val displayName = c.getString(c.getColumnIndexOrThrow(MediaStore.MediaColumns.DISPLAY_NAME) ) val relativePath = c.getString(c.getColumnIndexOrThrow(MediaStore.MediaColumns.RELATIVE_PATH) ) lastModifiedDate = c.getLong(c.getColumnIndexOrThrow(MediaStore.MediaColumns.DATE_MODIFIED) ) imageUri = ContentUris.withAppendedId( MediaStore.Images.Media.EXTERNAL_CONTENT_URI, id) print("image uri update $displayName $relativePath $imageUri ($lastModifiedDate)") return imageUri } } } print("image not created yet") return null } I then add this method into my existing codes @RequiresApi(Build.VERSION_CODES.Q) private fun setImageUriQ(): Uri { val resolver = contentResolver imageUri = getExistingImageUriOrNullQ() //try to retrieve existing uri (if any) if (imageUri == null) { //========================= // existing codes for resolver.insert //(SNIPPED) //========================= } return imageUri!! }
Pile
UNPUBLISHED UNITED STATES COURT OF APPEALS FOR THE FOURTH CIRCUIT No. 09-1621 ROGER KEY, Petitioner – Appellant, v. COMMISSIONER OF INTERNAL REVENUE, Respondent – Appellee. On Appeal from the United States Tax Court. (Tax Ct. No. 06-24110) Submitted: October 20, 2009 Decided: October 23, 2009 Before TRAXLER, Chief Judge, NIEMEYER, Circuit Judge, and HAMILTON, Senior Circuit Judge. Affirmed by unpublished per curiam opinion. Roger Key, Appellant Pro Se. John DiCicco, Richard Farber, John Schumann, UNITED STATES DEPARTMENT OF JUSTICE, Washington, D.C., for Appellee. Unpublished opinions are not binding precedent in this circuit. PER CURIAM: Roger Key appeals from the tax court’s orders dismissing his tax court petition for failure to prosecute and denying his motion for reconsideration. We have reviewed the record and find no reversible error. Accordingly, we affirm for the reasons stated by the tax court. See Key v. Comm’r, IRS, Tax Ct. No. 06-24110 (U.S.T.C. Nov. 7, 2008 & filed Feb. 27, 2009; entered Mar. 4, 2009). We dispense with oral argument because the facts and legal contentions are adequately presented in the materials before the court and argument would not aid the decisional process. AFFIRMED 2
Pile
Q: Does ES6 support spread syntax like { a as a1 } = obj or is there an RFC on that? So consider the following snippet const x = { name: 'somebody' }; const { name as somePerson } = x; // Would be awesome to have something like this A: You could change the target in the Object Property Assignment Pattern [You Don't Know JS: ES6 & Beyond, Chapter 2: Syntax]: The syntactic pattern here is source: target (or value: variable-alias). { name: somePerson } const x = { name: 'somebody' }; const { name: somePerson } = x; console.log(somePerson);
Pile
#undef CONFIG_FEATURE_BUFFERS_GO_ON_STACK
Pile
Colonoscopy and acute colonic pseudo-obstruction. There is no well-defined standard of care for the use of colonoscopy in the treatment of acute colonic pseudo-obstruction (ACPO). Colonoscopy can be helpful for ACPO, but it can be accompanied by complications, is not completely effective, and can be followed by recurrence. These possibilities must be weighed against the overall risk of spontaneous perforation, which is low but real. The use of colonoscopy therefore should be selective, and it should be performed by experts and accompanied generally by tube placement.
Pile
Irena: my wife's name is Kathleen.
Pile
Lifting a familiar object: visual size analysis, not memory for object weight, scales lift force. The brain can accurately predict the forces needed to efficiently manipulate familiar objects in relation to mechanical properties such as weight. These predictions involve memory or some type of central representation, but visual analysis of size also yields accurate predictions of the needed fingertip forces. This raises the issue of which process (weight memory or visual size analysis) is used during everyday life when handling familiar objects. Our aim was to determine if subjects use a sensorimotor memory of weight, or a visual size analysis, to predictively set their vertical lift force when lifting a recently handled object. Two groups of subjects lifted an opaque brown bottle filled with water (470 g) during the first experimental session, and then rested for 15 min in a different room. Both groups were told that they would lift the same bottle in their next session. However, the experimental group returned to lift a slightly smaller bottle filled with water (360 g) that otherwise was identical in appearance to the first bottle. The control group returned to lift the same bottle from the first session, which was only partially filled with water so that it also weighed 360 g. At the end of the second session subjects were asked if they observed any changes between sessions, but no subject indicated awareness of a specific change. An acceleration ratio was computed by dividing the peak vertical acceleration during the first lift of the second session by the average peak acceleration of the last five lifts during the first session. This ratio was >1 for the control subjects 1.30 (SEM 0.08), indicating that they scaled their lift force for the first lift of the second session based on a memory of the (heavier) bottle from the first session. In contrast, the acceleration ratio was 0.94 (0.10) for the experimental group (P < 0.011). We conclude that the experimental group processed visual cues concerning the size of the bottle. These findings raise the possibility that even with familiar objects we predict fingertip forces using an on-line visual analysis of size (along with memory of density), rather than accessing memory related to object weight.
Pile
Spp24 derivatives stimulate a Gi-protein coupled receptor-Erk1/2 signaling pathway and modulate gene expressions in W-20-17 cells. Secreted phosphoprotein 24 kDa (Spp24) is an apatite- and BMP/TGF-β cytokine-binding phosphoprotein found in serum and many tissues, including bone. N-terminally intact degradation products ranging in size from 14 kDa to 23 kDa have been found in bone. The cleavage sites in Spp24 that produce these short forms have not been definitively identified, and the biological activities and mechanisms of action of Spp24 and its degradation products have not been fully elucidated. We found that the C-terminus of Spp24 is labile to proteolysis by furin, kallikrein, lactoferrin, and trypsin, indicating that both extracellular and intracellular proteolytic events could account for the generation of biologically-active Spp18, Spp16, and Spp14. We determined the effects of these truncation products on kinase-mediated signal transduction, gene expression, and osteoblastic differentiation in W-20-17 bone marrow stromal cells cultured in basal or pro-osteogenic media. After culturing for five days, all forms inhibited BMP-2-stimulated osteoblastic differentiation, assessed as induction of alkaline phosphatase activity, in basal, but not pro-osteogenic media. After 10 days, they also inhibited BMP-2-stimulated mineral deposition in pro-osteogenic media. Spp24 had no effect on Erk1/2 phosphorylation, but Spp18 stimulated short-term Erk1/2, MEK 1/2, and p38 phosphorylation. Pertussis toxin and a MEK1/2 inhibitor ablated Spp18-stimulated Erk 1/2 phosphorylation, indicating a role for Gi proteins and MEK1/2 in the Spp18-stimulated Erk1/2 phosphorylation cascade. Truncation products, but not full-length Spp24, stimulated RUNX2, ATF4, and CSF1 transcription. This suggests that Spp24 truncation products have effects on osteoblastic differentiation mediated by kinase pathways that are independent of exogenous BMP/TGF-β cytokines.
Pile
My new favorite band is The Dog Whistles You probably haven't heard them 323 shares
Pile
Acid reflux is a poor predictor for severity of erosive reflux esophagitis. It is unknown which factors determine the severity of mucosal damage in gastroesophageal reflux disease (GERD). Our aim was to test whether the amount of esophageal acid exposure could predict the severity of esophageal injury in erosive reflux esophagitis. A total of 644 outpatients with symptomatic GERD underwent an esophagogastroduodenoscopy followed by esophageal manometry and 24-h pH monitoring. GERD was graded according to the endoscopic severity of mucosal damage as no erosions, single erosions, confluent erosions, esophageal ulcers, and strictures. A multiple linear regression was used to assess the joint influences of demographic characteristics, social habits, endoscopic anatomy, and various parameters of esophageal function tests on the severity of erosive reflux disease. No clear-cut association between the amount of acid reflux and the severity of erosive reflux esophagitis could be established. All individual parameters of esophageal pH monitoring, such as upright or supine acid contact time, frequency of all or only long reflux episodes, and an overall summary score of pH-metry, revealed no or only a weak correlation with the severity grade of erosive reflux esophagitis. Similarly, the pressure of the lower esophageal sphincter was only slightly more decreased in patients with extensive erosive esophagitis as compared to subjects without esophageal erosions. In the multiple linear regression, the presence of hiatus hernia was a stronger predictor of disease severity than any of the other parameters. In conclusion, factors other than exposure of the esophageal mucosa to acid must contribute to the development of erosive esophagitis.
Pile
Claude Noel Highway The Claude Noel Highway, sometimes referred to as CNH, is one of the major west-east highways in Trinidad and Tobago, named after Claude Noel, it is the only highway on Tobago. It runs from Canaan to Scarborough. References Category:Roads in Trinidad and Tobago
Pile
Scanning laser polarimetry of the retinal nerve fiber layer in central retinal artery occlusion. To report the results of scanning laser polarimetry (NFA/GDx; Laser Diagnostic Technologies, San Diego, CA). Prospective, consecutive observational case series. Ten consecutive patients with central retinal artery occlusion (CRAO). Neuro-ophthalmic examination and scanning laser polarimetry of the retinal nerve fiber layer (RNFL) of 10 patients with CRAO. Duration of visual loss, visual acuity, funduscopy, and scanning laser polarimetry of the RNFL in 10 eyes of 10 patients with CRAO. The duration of visual loss before examination and scanning laser polarimetry ranged from 1 to 7 days. Visual acuity was counting fingers at 1 foot or worse in all 10 eyes with CRAO, and funduscopy revealed pallid retinal edema accompanied by a cherry red spot in all affected eyes. Funduscopy of the fellow eyes in all but one patient, who had anterior ischemic optic neuropathy and was subsequently diagnosed with giant cell arteritis, revealed no acute changes. Scanning laser polarimetry of all eyes with CRAO revealed diffuse attenuation of the retardation of the RNFL. Scanning laser polarimetry of the fellow eye revealed a normal bimodal distribution in the eight patients in whom it could be measured. In one patient who was examined 1 day after the onset of visual loss, repeat nerve fiber analysis 6 weeks later revealed further depression of the RNFL compared with the initial scan. Repeat analysis of the RNFL in four other patients showed persistence of the diffuse depression noted during their initial examinations. Scanning laser polarimetry in CRAO reveals diffuse depression of the retardation of the RNFL, which occurs acutely after the onset of visual loss. To our knowledge these patients represent the first reports of scanning laser polarimetry of the RNFL in acute CRAO.
Pile
Early increase in intracranial pressure in preterm infants. Noninvasive measurement of intracranial pressure is now available via the anterior fontanel in newborn infants. We measured intracranial pressure during the first week of life in 18 preterm infants and found a statistically significant increase from birth to age 24 hours and a significant decrease by 48 hours (13.8 vs. 24.4 vs. 14.3 cm H2O). This did not seem to be the result of postnatal head shrinkage. There were no other apparent correlations. We suspect that hypoxia may play an important role in the etiology of increased intracranial pressure. We believe that these findings may have important implications for intracranial hemorrhage in preterm infants.
Pile
using Microsoft.Extensions.DependencyInjection; namespace BlazorStrap.Extensions { /// <summary> /// Adds the SvgLoader to Razor's Dependency Injection System /// </summary> public static class SvgLoaderExtension { public static IServiceCollection AddSvgLoader(this IServiceCollection serviceCollection) { serviceCollection.AddTransient<ISvgLoader, SvgLoader>(); return serviceCollection; } } }
Pile
Discovery opts for new pay TV network: TLC launches 30th April Discovery Networks International will launch a new pay TV network in the UK next month, available on Sky, Virgin Media, BT Vision and TalkTalkTV. TLC, the world's biggest female entertainment channel, is to launch on Tuesday 30 April 2013 and will be exclusively premiering hit shows from the US, alongside a host of original UK series featuring well-known stars. TLC was last seen in the UK in the 1990s, when as "The Learning Channel", it shared capacity on Discovery's analogue satellite transponder. That channel later became Discovery Home and Leisure. Reports last year in media journals suggested that Discovery had at one point considered launching TLC as a Freeview service in the UK. TLC's pay TV status leaves Quest as Discovery's only Freeview channel in the UK. TLC will not be available on Freesat. US shows set for their exclusive UK broadcast on the new TLC service includes the outrageous only-in-America type TV show Here Comes Honey Boo Boo, and TLC's highest rating new series in the US, Breaking Amish. Holly Valance, Lisa Snowdon, Dawn O'Porter and Brix Smith Start will feature in brand new shows Ultimate Shopper, Your Style in His Hands, and Undercover Mums. Susanna Dinnage, Senior Vice President & General Manager, Discovery Networks UK, said: "TLC is a unique entertainment channel that brings together a huge range of characters from the UK and US. It is full of stories that will get people talking and we hope it will become part of the rich and varied TV culture in the UK." TLC will be available on Sky (channel 125), Virgin Media (channel 167), BT Vision (channel 875) and YouView on the TalkTalk player, as well as via Sky, Virgin Media and BT Vision's on-demand services. TLC will also be available in HD from Sky and Virgin Media.
Pile
Contribution of diffusion-weighted imaging to dynamic contrast-enhanced MRI in the characterization of papillary breast lesions. Papillary lesions have a broad spectrum of appearances on magnetic resonance imaging (MRI). The purpose of this study was to evaluate whether apparent diffusion coefficient (ADC) values of papillary lesions can be used to characterize lesion as benign or malignant. This retrospective study included 29 papillary lesions. Diagnostic values of dynamic contrast-enhanced MRI (DCE-MRI), DWI-ADC, and DCE-MRI plus DWI-ADC were separately calculated. The malignant papillary lesions (0.744×10-3 mm2 /s) exhibited significantly lower mean ADC values than the benign lesions (1.339×10-3 mm2 /s). Addition of DWI to standard DCE-MRI provided 100% sensitivity. We hypothesized that this combination may prevent unnecessary excisional biopsies.
Pile
A novel approach to the detection of acromegaly: accuracy of diagnosis by automatic face classification. The delay between onset of first symptoms and diagnosis of the acromegaly is 6-10 yr. Acromegaly causes typical changes of the face that might be recognized by face classification software. The objective of the study was to assess classification accuracy of acromegaly by face-classification software. This was a diagnostic study. The study was conducted in specialized care. Participants in the study included 57 patients with acromegaly (29 women, 28 men) and 60 sex- and age-matched controls. We took frontal and side photographs of the faces and grouped patients into subjects with mild, moderate, and severe facial features of acromegaly by overall impression. We then analyzed all pictures using computerized similarity analysis based on Gabor jets and geometry functions. We used the leave-one-out cross-validation method to classify subjects by the software. Additionally, all subjects were classified by visual impression by three acromegaly experts and three general internists. Classification accuracy by software, experts, and internists was measured. The software correctly classified 71.9% of patients and 91.5% of controls. Classification accuracy for patients by visual analysis was 63.2 and 42.1% by experts and general internists, respectively. Classification accuracy for controls was 80.8 and 87.0% by experts and internists, respectively. The highest differences in accuracy between software and experts and internists were present for patients with mild acromegaly. Acromegaly can be detected by computer software using photographs of the face. Classification accuracy by software is higher than by medical experts or general internists, particularly in patients with mild features of acromegaly. This is a promising tool to help detecting acromegaly.
Pile
1. Field of the Invention The present invention relates to an image-forming device that easily eliminates obstructions along a conveying path of a recording medium. 2. Related Art Image-forming devices such as printers, facsimile machines, copy machines, or multifunction devices combining the functions of these machines are well known in the art. One type of image-forming device employing an electrophotographic system charges a photosensitive member and subsequently exposes the photosensitive member to light from a laser, LED, or the like to form electrostatic latent images thereon. The electrostatic latent image is developed using toner or other type of developer. The developed image is then transferred onto a recording medium and is fixed on the recording medium by heat generated in a fixing unit, thereby forming an image on the recording medium. In this type of image-forming device, a conveying path is formed from a point that a recording medium is fed into the device to a point that the recording medium is discharged from the device after passing through an image-forming unit, enabling the recording medium to be conveyed through the device without becoming jammed. The image-forming unit is generally provided in the center of a casing or thereabout because the photosensitive member degrades in quality when exposed to light. Further, in an effort to manufacture a compact device, a cover provided on a casing to facilitate maintenance of a conveying path section from the point that a recording medium is supplied into the device to the image-forming unit also serves to cover an opening through which a developer cartridge for supplying toner or the like to the image-forming unit is inserted and removed. One example of such an image-forming device is a laser printer disclosed in Japanese unexamined patent application publication No. 2002-104694. In this laser printer, paper stacked on a paper supply tray or a multipurpose tray is fed into a conveying path by a feeding roller and conveyed toward an image-forming unit. Registration rollers register the paper and adjust the timing at which the paper is supplied to the image-forming unit. In this laser printer, a cover is provided on the front surface of a main casing near the multipurpose tray. By opening the cover, a developer cartridge accommodating toner can be inserted or removed. When paper being conveyed toward the image-forming unit becomes jammed in this laser printer, a user must open the cover on the main casing and pull the leading edge of the jammed paper in a direction that causes the paper to fold back away from the direction in which the paper was being conveyed toward the image-forming unit.
Pile
Effect of chlorpromazine on experimental diarrhoea in just-weaned piglets. In just-weaned piglets (n = 30, 3-4 weeks) diarrhoea (100%) and vomiting (66%) were provoked by inoculation with transmissible gastroenteritis virus and enterotoxigenic E. coli strains (O149: K91: K88ac; LT, STa and STb enterotoxin positive). This combined infection resulted in a mortality of 71% within 7 days. During this period animals revealed a decrease in body weight, in arterial pressure, in leukocyte count, in plasma pH and in plasma lactic acid concentrations, and an increase in heart rate and in total plasma protein concentration. In shocked and expiring piglets an increase in haematocrit and a decrease in base excess and actual bicarbonate were observed. Chlorpromazine, administered intramuscularly on 3 successive days following the dual infection in 8 K88ac susceptible pigs, in a dosage of 2 and 1.5 mg/kg.24 h, somewhat retarded the appearance of severe diarrhoea and suppressed vomiting. These beneficial effects, however, did not result in an increased survival.
Pile
Q: AngularJS UI-Router nested state view in table row (inline edit) Working on an AngularJS + UI-Router project. Got a task with these (simplified here) requirements: display a list of items in a table with Edit button at the end of the table row clicking Edit button should turn a table row into item edit form (inline edit) Item list and item edit views should be accessible via url. So I have defined my states: // app.js $stateProvider .state("list", { url: "/", component: "listComponent" }) .state("list.edit", { url: "/{id}/edit", component: "editComponent" }); } ListComponent template looks like this: <table> <tr> <th>ID</th> <th>Name</th> <th>&nbsp;</th> </tr> <!-- Hide this row when NOT in edit mode --> <tr ng-repeat-start="item in $ctrl.items" ng-if="$ctrl.editIndex !== $index"> <td>{{ item.id }}</td> <td>{{ item.name }}</td> <td> <button type="button" ng-click="$ctrl.onEditClick($index, item.id)">Edit</button> </td> </tr> <!-- Show this row when in edit mode --> <tr ng-repeat-end ng-if="$ctrl.editIndex === $index"> <td colspan="3"> <ui-view></ui-view> </td> </tr> </table> And main parts from ListComponent itself: function ListController($state) { this.editIndex = null; this.items = [ { id: 1, name: "Y-Solowarm" }, // ... { id: 10, name: "Keylex" } ]; this.onEditClick = function(index, id) { this.editIndex = index; $state.go("list.edit", { id: id }); }; } Problem: When I was working on EditComponent I noticed that it initiates http requests twice. After a couple of hours later I came up with such EditComponent that showed what actually was happening: function EditController() { // random number per component instance this.controllerId = Math.floor(Math.random() * 100); this.$onInit = function() { console.log("INIT:", this.controllerId); }; this.$onDestroy = function() { console.log("DESTROY:", this.controllerId); }; } Console showed this output: DESTROY: 98 INIT: 80 DESTROY: 80 INIT: 9 When clicking Edit for a second time this output shows that EditComponent#98 is destroyed as we navigate away from it (expected) EditComponent#80 is created and immediately destroyed (unexpected) EditComponent#9 is created as we are now 'editing' new item (expected) This just shows me that many <ui-view>s together with ng-ifs does not play very nice but I have no idea how to fix that. One thing that I have tried was I created one <ui-view> in ListComponent and was moving it around on ui-router state change by means of pure javascript. But that did not work as I soon started getting errors from ui-router's framework that were related to missing HTML node. Question: What am I doing wrong here? I think that angular's digest cycle (and related DOM changes) end later than ui-router starts transitions and related component creation and destruction and that might be a reason of EditComponent#80 being created and quickly destroyed. But I have no idea how to fix that. Here is a codepen showing what is happening: https://codepen.io/ramunsk/project/editor/AYyYqd (don't forget to open developer console to see what's happening) Thanks A: Let's say you're switching from index 2 to index 3. I think this might be what is happening: The ui-view at index 2 is currently active. In the click handler you call state.go and the ui-view at index 2 briefly receives the updated state parameter id: 3. Then it is destroyed when the ng-if takes effect and the ui-view at index 3 is created. Change your code so it destroys the ui-view at index 2 first. Add a timeout so it calls state.go shows the second ui-view in the next digest cycle. this.onEditClick = function(index, id) { this.editIndex = null; $timeout(() => { this.editIndex = index; $state.go("list.edit", { id: id }); }); }; https://codepen.io/christopherthielen/project/editor/ZyNpmv
Pile
DIY Frag Rack - Contest Entry Recently fragged up a few of your corals? Sandbed starting to look like a container of frag plugs exploded across it? Need a method to adopt frags to different lighting levels by depth within your tank? Solving any and all of these issues can be easily accomplished witha simple DIY frag rack. Supplies: Old Mag-Float or other magnetic glass cleaner (or a brand new one if you want); A piece of eggcrate (light diffuser grid) - available at your local hardware store; Some Superglue gel - I buy mine in the three packs from the Dollar Store; 1. Cut or break your eggcrate to the desired size; I use a pair of pliers to break out sections till its the size I want, but know others that use side-cutters or dremmels. This will be determined by how many frags you plan on placing in the rack, as well as the size of the magnetic glass cleaner. 2. Once you have the piece of eggcrate cut to size, center it on the magnet, and mark the positions at which it contacts the magfloat. 3. Cover the marks with a generous layer of Superglue gel, and then place the eggcrate into the glue. 4. Hold firmly in place until the glue is dry or dip in water to speed up the hardening process. 5. Once the glue it dry, place it in your tank and fill with frags. I collect PEs, and I'm always looking to trade for ones I don't have yet. First i cut my corrugated to size, this included three pieces shelf, inner magnet holder, and outer magnet holder. second i cut my magnet holes out. third i silicone the magnets in place. after the silicone dried i used silicone to seal the magnets in the corrugated plastic to prevent corrosion. finally after that dried i silicone the inner magnet holder to the shelf and once again let that dry. it works up to 3/4 inch glass and cost me no money as i had the parts laying around. Recommended Links About CaptiveReefs If you are interested in learning about reefkeeping or have a problem with your reef, our reefkeeping community is here to help. Feel free to ask a question or search our site. We have lots of experienced reefkeepers that are willing to provide free reefkeeping advice! Besides being a great resource for all levels of reef aquarium hobbyists, CaptiveReefs is a social experience that will enhance your enjoyment of reefkeeping. CaptiveReefs is committed to connecting reefkeepers with the support and information they need to grow beautiful coral reef aquariums.
Pile
The statements in this section merely provide background information related to the present disclosure and do not constitute prior art. Various message services such as, short message service (SMS), multimedia messaging service (MMS), etc. have been widely used, and now, instant messaging (IM) service is being actively used. The IM service has advantages in that messages can be sent and received in substantial real-time compared to e-mail, as well as existing functions of transferring data of text and multimedia data are provided. Session initiation protocol (SIP) has been widely used as a type of signaling protocol for such instant messaging. The SIP is an application layer protocol, which can establish, modify, and terminate multimedia sessions such as an internet telephone. In addition, message session relay protocol (MSRP) is used as a protocol of transmitting and receiving data. In the MSRP, data transmitted from a transmitting terminal device (hereinafter, referred to as “transmitting terminal”) to a receiving terminal device (hereinafter, referred to as “receiving terminal”) is divided into chunks and transferred using MSRP sessions. However, since the data is transferred between hops using a relay method when the data is transferred using the MSRP sessions, a transfer rate and a success rate are affected depending on a status of each hop. Specifically, in situations in which network loads are recently increased due to the explosive growth of the IM services, unconditional data transfer using the chatting session may become a main cause to worsen network environments. When data is transferred to a plurality of receiving terminals, since a final MSRP Report message is received after completing reception of the data by the last receiving terminal, there is a limit in that the transfer time is affected by an environment of the slowest receiving terminal.
Pile
Les Brown Les Brown Les Brown American Clarinetist, Saxophonist, Composer and Big Band Leader of the Jazz Swing Era Lester Raymond “Les” Brown, Sr. was born March 14, 1912 in Reinerton, Pennsylvania. Les Brown attended Duke University from 1932-1936 where he led the group Les Brown and His Blues Devils. He left Duke with a few of his band members in 1936 and by 1938 the band rebranded themselves as the Band of Renown. Les Brown was married one time and had his son Les Jr. and a daughter Denise. Les Brown passed away in 2001 at 88 years old of lung cancer. Les Brown was inducted into the North Carolina Music Hall of Fame in 2010. Les Brown’s son Les Brown Jr became the leader of the Band of Renown in 2001 and they continue to perform around the world.
Pile
Metabolism and disposition of eltrombopag, an oral, nonpeptide thrombopoietin receptor agonist, in healthy human subjects. The metabolism and disposition of eltrombopag, the first-in-class small molecule human thrombopoietin receptor agonist, were studied in six healthy men after a single oral administration of a solution dose of [(14)C]eltrombopag (75 mg, 100 μCi). Eltrombopag was well tolerated. The drug was quickly absorbed and was the predominant circulating component in plasma (accounting for 63% of the total plasma radioactivity). A mono-oxygenation metabolite (M1) and acyl glucuronides (M2) of eltrombopag were minor circulating components. The predominant route of elimination of radioactivity was fecal (58.9%). Feces contained approximately 20% of dose as glutathione-related conjugates (M5, M6, and M7) and another 20% as unchanged eltrombopag. The glutathione conjugates were probably detoxification products of a p-imine methide intermediate formed by metabolism of M1, which arises through cytochrome P450-dependent processes. Low levels of covalently bound drug-related intermediates to plasma proteins, which could result from the reaction of the imine methide or acyl glucuronide conjugates with proteins, were detected. The bound material contributes to the longer plasma elimination half-life of radioactivity. Renal elimination of conjugates of hydrazine cleavage metabolites (mostly as M3 and M4) accounted for 31% of the radiodose, with no unchanged eltrombopag detected in urine.
Pile
Left main coronary artery disease in 2011: CABG or PCI? Left main coronary artery disease, present in 5-9% of patients with angina pectoris, is associated with high mortality risk when treated medically. For several decades coronary artery bypass grafting (CABG) has been regarded as the treatment choice for unprotected left main coronary artery (ULMCA) disease patients. However, proximal location and large caliber of the left main has set challenge for interventional cardiologists. Recent clinical guidelines have stated that elective percutaneous coronary intervention (PCI) can be considered for patients with ULMCA disease, although suggesting that the aggregated evidence favors CABG. A number of registry reports, as well as a substudy from a large, randomized trial, have indicated that PCI may be an acceptable alternative to CABG in some patients with ULMCA stenosis. PCI already offers tangible short-term advantages over CABG as it is less invasive, reduces hospitalization duration, avoids the disability of surgical recovery, and allows patients to subsequently have CABG if necessary.
Pile
A typical spray booth line for painting car bodies is divided into a plurality of successive sections which by means of fans are supplied with vertical supply air flows through filter roofs provided in the sections. In those sections where the car bodies are sprayed with paint, exhaust air flows polluted with paint particles and solvents are evacuated by means of fans. In order that polluted air should not spread horizontally from the spray sections to the other sections, it is vital that the horizontal air flows between the sections be directed towards the spray sections. It is also vital that the horizontal air flows be small in relation to the supply and exhaust air flows so as not to create secondary eddies in the spray sections or entail that paint particles are transferred from one car body to another. The horizontal air flows are suitably regulated by such a speed control of the supply air fans that the size and the direction of the horizontal air flows will become as desired. To permit carrying out this control in optimum fashion, the horizontal air flows must be accurately measured. Thermal flow transducers, i.e. transducers having a measuring body which should be placed in the flow to be measured, and a means for heating the measuring body, and relying in different ways on the fact that the flow cools the heated measuring body, are known in various designs. However, none of the prior-art flow transducers can be considered to comply with the requirements 1-3 which are listed below and which must be placed on a flow transducer to be used in a spray booth line of the type described above. 1) Since a spray booth line is classified as explosive environment, the measuring body of the flow transducer may only be heated to a temperature which but insignificantly exceeds the ambient temperature. PA1 2) The flow transducer must be relatively insensitive to deposits of paint and other chemicals on the measuring body. PA1 3) The flow transducer must have a high sensitivity in the range around zero, especially in the range -2 m/s-+2 m/s.
Pile
R. Kelly arrested on federal child pornography charges, US attorney says The singer is already facing other charges in New York. Musician R. Kelly was arrested Thursday on federal child pornography and obstruction of justice charges tied to his alleged behavior in the 1990s with five girls. The U.S. attorney's office in Chicago said the 13-count indictment included charges of sexual exploitation of children, conspiracy to defraud the United States, coercion and child pornography. The singer, who is known for such hits as "I Believe I Can Fly," was outside while walking his dog when he was arrested, Kelly's publicist told ABC News. Kelly, who is 52, is set to appear in court on July 16. The charges are based on R Kelly’s alleged sexual contact with 5 females, identified in court records as Minor 1-5, which were recorded, court records said, Separately, a five-count indictment has been handed down from the Eastern District of New York in Brooklyn that says R Kelly was at the center of an “enterprise” of managers, body guards, drivers and personal assistants “to promote R. Kelly's music and the R. Kelly brand and to recruit women and girls to engage in illegal sexual activity with Kelly.” "R Kelly was arrested in Chicago tonight on charges contained in a 13-count indictment returned today in the Northern District of Illinois," the attorney's office said in a statement late Thursday. "The indictment includes charges of child pornography and obstruction of justice." The singer was acquitted of prior child pornography charges in 2008, five years after initially being arrested over a video that purported to show the singer with an underage girl. There was a renewed interest in Kelly's alleged misdeeds following a miniseries aired earlier this year on Lifetime, called "Surviving R. Kelly," and featuring interviews with accusers and family members of several alleged victims. Kelly has always denied allegations of sexual misconduct. Federal agents searched R. Kelly’s home in Trump Tower Chicago Friday morning. Kelly was arrested by the New York Police Department, which will eventually bring him to New York City, a police source told ABC News. For now, a law enforcement official told ABC News that Kelly is expected to face charges in Chicago before being extradited to Brooklyn. The charges are the latest in a number of legal issues for Kelly this year. The singer, whose real name is Robert Kelly, is also facing 10 counts of felony criminal sexual abuse involving four alleged victims, after being arrested by the Cook County Sheriff's Department in March. He has pleaded not guilty to those charges, some of which date back to 1998. Kelly last appeared in court in Chicago on June 26, when prosecutors handed over a DVD allegedly containing pornographic images of the singer with a minor. "We'll see what it shows," Kelly's lawyer, Steve Greenberg, said outside the courthouse last month. A trial has not been set, but the judge said an early 2020 date is likely. Kelly's next court hearing in that case is scheduled for Aug. 15. He has also dealt with a number of child support issues. He was jailed for almost a week in March for failure to pay support dating back eight months for his three children with his ex-wife, Andrea "Drea" Kelly. The family of Joycelyn Savage, R. Kelly's girlfriend, met with federal investigators and provided them with physical evidence that they believe contributed to the case against Kelly, according to the family's lawyer, Gerald Griggs. Savage's parents appeared in the Lifetime documentary. "We are satisfied that Federal Authorities believed the families and survivors that were victims of Robert Kelly," Griggs said in a statement. "We will be traveling to Chicago soon to reunite with Joycelyn. We thank the jurors and prosecutors that returned the indictment against R Kelly. We are hopeful that justice will be served in this case." ABC News' Stephanie Wash, Linsey Davis and Mark Crudele contributed to this report.
Pile
Q: java.lang.IllegalArgumentException when splitting bitmap in android Can someone tell me why I am getting this error when splitting a bitmap. Code: public static List<Bitmap> ScambleImage(Bitmap image, int rows, int cols){ List<Bitmap> scambledImage = new ArrayList<Bitmap>(); int chunkWidth = image.getWidth(); //cols int chunkHeight = image.getHeight(); //rows int finalSize = chunkWidth/rows; Bitmap bMapScaled = Bitmap.createScaledBitmap(image, chunkWidth, chunkHeight, true); int yCoord = 0;//The y coordinate of the first pixel in source for(int x = 0; x < rows; x++){ int xCoord = 0;//The x coordinate of the first pixel in source for(int y = 0; y < cols; y++){ scambledImage.add(Bitmap.createBitmap(bMapScaled, xCoord, yCoord, finalSize, finalSize)); xCoord = finalSize + xCoord; } yCoord = finalSize + yCoord;//The y coordinate of the first pixel in source } return scambledImage; } rows = 6, and cols = 6; image size = 648 x 484 this is the exception but don't know how to go about fixing: java.lang.IllegalArgumentException: y + height must be <= bitmap.height() Image I'm splitting Thanks! A: Your trying to grab sections of the original bitmap that don't exist. Put a breakpoint at the line: scambledImage.add(Bitmap.createBitmap(bMapScaled, xCoord, yCoord, finalSize, finalSize)); And you'll see it fails sometime after the first array iteration because each time your offsetting the start point of which "slice" of the bigmap you are grabbing by xCoord/yCoord. My hunch says your calculation for finalSize is wrong, but I can only speculate since we don't know exactly what your trying to accomplish.
Pile
60th: William, Mavourneen Bonar February 5, 2011 The children of William "Bill" and Mavourneen "Mav" Bonar announce their parents' 60th wedding anniversary. They were married Feb. 3, 1951, in Bellaire, Ohio, at the home of her parents by Minister Charles Rock. He retired from Marietta City Schools after serving as a teacher, coach and athletic director. He is now a courier for Peoples Bank. She retired from manager of the Charm Beauty Salon.
Pile
Alzheimer’s answers… from a snail? What do humans and snails have in common? No, it’s not the start of a bad joke. You may be surprised to know that snails are providing researchers with a better understanding of Alzheimer’s Disease! And thanks to snails, new research suggests that it might be possible for Alzheimer’s patients to retrieve lost memories. So why are these snails relevant to us? It turns out that marine snails called Aplysia have molecular and cellular processes in the brain that are very similar to humans, and both of our brains use a hormone called serotonin to help form long-term memories and build new connections between brain cells, or synapses. Alzheimer’s destroys synapses. Past research has suggested that long-term memory is stored in the synapses, which means that when those synapses are destroyed, those memories are also permanently lost. But this new research in snails suggests that memories aren’t stored in the synapses, which could mean hope for recovering memories that have been lost. Read more about this research here.
Pile
Britain's Prime Minister Theresa May and her husband Philip leave church in her constituency near Reading, Britain October 8, 2017. REUTERS/Peter Nicholls LONDON (Reuters) - Neither the British Prime Minister Theresa May nor her husband have any direct offshore investments, her spokesman said on Monday, after leaked documents revealed investments by wealthy individuals across the globe. “Neither the prime minister or Mr May have direct offshore investments, their investments have been declared to the cabinet office and are held in a blind trust,” he told reporters. “The nature of a blind trust is just that, this is a well established mechanism in protecting ministers in their handling of interests.”
Pile
UNPUBLISHED UNITED STATES COURT OF APPEALS FOR THE FOURTH CIRCUIT No. 04-2082 UNITED STATES OF AMERICA, Plaintiff - Appellee, versus 1992 VOLKSWAGON GOLF GTI, VIN:3VWBA21G9NM036624, Registered to Yasmin Suzanne Crooks; $121,890 IN U. S. CURRENCY, Defendants, versus YASMIN CROOKS, Claimant - Appellant. Appeal from the United States District Court for the Eastern District of Virginia, at Richmond. Richard L. Williams, Senior District Judge. (CA-04-258-3) Submitted: January 21, 2005 Decided: April 28, 2005 Before NIEMEYER and MICHAEL, Circuit Judges, and HAMILTON, Senior Circuit Judge. Affirmed by unpublished per curiam opinion. Yasmin Crooks, Appellant Pro Se. Gurney Wingate Grant, II, OFFICE OF THE UNITED STATES ATTORNEY, Richmond, Virginia, for Appellee. Unpublished opinions are not binding precedent in this circuit. See Local Rule 36(c). - 2 - PER CURIAM: Yasmin Crooks appeals the district court’s order granting the Government’s motion to strike her pleading and entering a default judgment forfeiting property to the Government. We have reviewed the record and find no reversible error. Accordingly, we affirm on the reasoning of the district court. See United States v. Crooks, No. CA-04-258-3 (E.D. Va. July 27, 2004). We dispense with oral argument because the facts and legal contentions are adequately presented in the materials before the court and argument would not aid the decisional process. AFFIRMED - 3 -
Pile
PS3 FAQ - Ask all questions in here! • Page 101 Anyone got Blokus on PSN? I am trying to find out how the feck you have a 2 player game where you can set the names of both players. You can sign in different characters/profiles to different colours at the start but even though the first 2 profiles are signed in with characters created for each profile, all local multiplayer games consist of profile 1 against a character called 'Steve'. Steve is controlled by the 2nd player, my wife, but she's not very happy as she's not called Steve. However this VGA business is a worry. HDMI>DVI>VGA cabling/adapters doesn't guarantee optimum picture quality and/or it working properly, does it? There are 'proper' unofficial HDMI to VGA cables out there, but the reviews are sparse and the ones that exist are very mixed and suggest that the quality (and whether it'll work at all in the first place) varies depending on your set-up.
Pile
Itinerary: Practical information Situated in Northern Europe between the North Sea and the Baltic, Denmark is the only Scandinavian country connected to the European mainland (the peninsular of Jutland borders with Germany). Denmark consists of 400 islands, many of which are uninhabited. Denmark is a constitutional monarchy. Copenhagen, Denmark’s capital, is located on the island of Zealand.
Pile
The effect of sex on the repeatability of evolution in different environments. The adaptive function of sex has been extensively studied, while less consideration has been given to the potential downstream consequences of sex on evolution. Here, we investigate one such potential consequence, the effect of sex on the repeatability of evolution. By affecting the repeatability of evolution, sex could have important implications for biodiversity, and for our ability to make predictions about the outcome of environmental change. We allowed asexual and sexual populations of Chlamydomonas reinhardtii to evolve in novel environments and monitored both their change in fitness and variance in fitness after evolution. Sex affected the repeatability of evolution by changing the importance of the effect of selection, chance, and ancestral constraints on the outcome of the evolutionary process. In particular, the effects of sex were highly dependent on the initial genetic composition of the population and on the environment. Given the lack of a consistent effect of sex on repeatability across the environments used here, further studies to dissect in more detail the underlying reasons for these differences as well as studies in additional environments are required if we are to have a general understanding of the effects of sex on the repeatability of evolution.
Pile
...The letter is great, but...I think it's way too long...I've been well-received lately with the following short note.... Ron, that was an awesome short note!! I have to tell you, though, that reading that as a mother who was a mainstream "ew, foreskin!!" mom when I circ'd my son; that small bit of information would simply not have been enough. There were too many questions I had and I was very afraid of some wild complicated problem from having a foreskin. The circumcising doctor basically 'pressure sales'd' me into doing it, and one of the major selling points was that it could "result in a major surgery later in life with anesthetic", and how much safer this way was, and the whole bit. When I joined the MDC community, I started wondering why everyone's signature said "no circ" and wondered if "these people are nuts?? Why wouldn't they circumcise"...and then I found this forum and... : ....you get the point. Basically, I just know that if I'd gotten something like this email, I wouldn't have done it. I know it's very long compared to your short note, but even just reading a bit off the top might be enough to get someone not to, or at the very least, make them shocked enough to keep reading later if they don't have time now. I know I would have! But, as I said before, 'you' (everyone) is more than welcome to trim it however they'd like before sending it to their intended recipient. And thanks for sharing your short note anyways, because I'm sure that there are some people for which it's the perfect note to send off. Quote: Originally Posted by livsmom ...I want to use it to inform my SIL about circ, but I am afraid...She is 18 and this is an unplanned (pretty uninformed) pregnancy, so I don't want to scare the crap out of her...any suggestions?... Yeah. Risk scaring the crap out of her. There are tons and tons of things to learn about the lies that surround birth. As a doula, you have more knowledge and experience than she does as a scared 18 year old mom to be, and I'm sure she'd welcome any and all information. It's far better to go into the birth being informed, and having some knowledge and a plan of action for some common 'birth problems'. I'd start with the things most critical to the safety and well-being of the baby, including (obviously) circumcision. WARNING: The comments and opinions expressed above do not necessarily reflect those of the community in which I reside; or those of the internet parenting network. I would like to have this email. I PMed you a few days ago. Thanks! I've really been wondering and am currently having discussions with a friend who knows she's having a boy. And I want to share with my bro before he has kids. I got your request and sent off the email a couple days ago. I apologize that it took awhile, I'm very very busy these days and sometimes I don't check my PM's/emails for a week or two at a time. But, check your inbox, because I remember sending it to you. Also, for anyone who received a copy recently, I might have accidentally had my rich text formatting off, and it may have come to you without links. : If that's the case, just write me again, and I'll re-send it with the links. WARNING: The comments and opinions expressed above do not necessarily reflect those of the community in which I reside; or those of the internet parenting network.
Pile
Jem Snowden James (known as "Jim" or "Jem") Snowden was a British Classic winning jockey. Snowden was a Yorkshireman of gypsy heritage. His parents sold pots and pans from a cart around the Yorkshire Dales, and he learned to ride bareback at gypsy horse fairs. He spoke in a thick Yorkshire accent, and rarely rode outside the north. His talent was "nearly ethereal" and he was able to ride through gaps before other jockeys had noticed them. He won his first Classic, the Oaks, aged 17 on Butterfly. He also rode three Classic winners for William l'Anson - the 1864 Derby and St Leger on Blair Athol and the 1880 Oaks on Jenny Howlet. I'Anson rated Snowden as the best jockey he ever saw. He was a heavy drinker, who followed on from Bill Scott as the heaviest drinker in the north. Sometimes, he was barely able to hold the reins of his horse, and needed other jockeys to prop him up. Once, he turned up for Chester Races a week late. Another time, at Catterick, he demanded that the hood and blinkers with which his horse Aragon was being fitted be removed, as a "bleend horse and bleend jockey winnet dee [a blind horse and a blind jockey will not do]". The horse won, with a drunk jockey, but without headgear. On yet another occasion, he was instructed not to win a selling race by more than a neck, so that connections could buy the horse back cheaply. He won by six lengths, and told an intermediary, "thou tell him he ought to think himself lucky to win at all, as I saw five winning posts and didn't know which was the right one!" The effect on him was such that he once vowed he would give £5,000 to be able to stop. Despite this alcoholism, many of his trainers thought he was a better rider drunk than most of his contemporaries were sober, as the drink did not diminish his courage in the saddle. He was also held in high regard by fellow jockey, Fred Archer. For his part, Snowden was sometimes dismissive of Archer. After beating Archer a head in their first meeting, Snowden said of Archer, "Tha cassn't ride for nuts", and after beating him again at Stockton Racecourse he told Archer, "thee can thell them i' the Sooth that there's mair jockeys in the world than thee." It is said he was "incoorigable". He died penniless at the age of either 43 or 45. At one point, he claimed to have ridden seven winners at Ayr, but despite seven promises to pay, he received nothing. Major wins Great Britain Epsom Derby - Blair Athol (1864) Epsom Oaks - (2) - Butterfly (1860), Jenny Howlet (1880) St Leger - Blair Athol (1864) References Bibliography Category:English jockeys
Pile
Adagio in G minor The Adagio in G minor for strings and organ is a neo-Baroque composition commonly attributed to the 18th-century Venetian master Tomaso Albinoni, but actually composed by 20th-century musicologist and Albinoni biographer Remo Giazotto, purportedly based on the discovery of a manuscript fragment by Albinoni. There is a continuing scholarly debate about whether the alleged fragment was real, or a musical hoax perpetrated by Giazotto, but there is no doubt about Giazotto's authorship of the remainder of the work. Provenance The composition is often referred to as "Albinoni's Adagio" or "Adagio in G minor by Albinoni, arranged by Giazotto". The ascription to Albinoni rests upon Giazotto's purported discovery of a manuscript fragment (consisting of a few opening measures of the melody line and basso continuo portion) from a slow second movement of an otherwise unknown Albinoni trio sonata. According to Giazotto, he obtained the document shortly after the end of World War II from the Saxon State Library in Dresden which had preserved most of its collection, though its buildings were destroyed in the bombing raids of February and March 1945 by the British and American Air Forces. Giazotto concluded that the manuscript fragment was a portion of a church sonata (sonata da chiesa, one of two standard forms of the trio sonata) in G minor composed by Albinoni, possibly as part of his Op. 4 set, around 1708. In his account, Giazotto then constructed the balance of the complete single-movement work based on this fragmentary theme. He copyrighted it and published it in 1958 under a title which, translated into English, reads "Adagio in G Minor for Strings and Organ, on Two Thematic Ideas and on a Figured Bass by Tomaso Albinoni". Giazotto never produced the manuscript fragment, and no official record has been found of its presence in the collection of the Saxon State Library. The piece is most commonly orchestrated for string ensemble and organ, or string ensemble alone, but with its growing fame has been transcribed for other instruments. Uses in popular culture The Adagio has been used in many films, television programmes, advertisements, recordings, and books. Notable occurrences include: as the main theme in Last Year at Marienbad (1961) directed by Alain Resnais in the original 1975 version of the film Rollerball in the 1981 Peter Weir film Gallipoli in the 1983 film Flashdance in the 1991 film The Doors at the Père Lachaise Cemetery scene in the 2016 film Manchester by the Sea Yngwie Malmsteen, in Icarus Dream Suite Op. 4 (1984) a 1999 crossover title in English and Italian, "Adagio", by Lara Fabian References External links , Academy of St Martin in the Fields, Neville Marriner Category:Musical hoaxes Category:Compositions by Remo Giazotto Category:1958 compositions Category:Music for orchestra and organ Category:20th-century hoaxes Category:Compositions in G minor Category:Tomaso Albinoni Category:Compositions with a spurious or doubtful attribution
Pile
Q: Text color selector for recyclerview I want to assign a text_color_selector to my textview. Initially when I do that with android:textColor="@drawable/list_selector_nav_drawer_text", it works fine (unpressed text color is black). But when I use code below, unpressed text color becomes purple (similar to the color of visited links in HTML)! What am I doing wrong :( ? I am using recyclerview. public void removeNavItemSelected(View v){ if(v!= null) { TextView tview; tview = (TextView) v.findViewById(R.id.title); tview.setTextColor(R.drawable.list_selector_nav_drawer_text); // Why on this earth color becomes purple rather than black !!! } } list_selector_nav_drawer_text <?xml version="1.0" encoding="utf-8"?> <selector xmlns:android="http://schemas.android.com/apk/res/android"> <item android:state_pressed="true" android:color="@color/blue" > </item> <item android:color="@color/black" > </item> </selector> A: The above code setTextColor(R.drawable.list_selector_nav_drawer_text) will translate to an int and therefore to a random number in memory which ever it was assigned and the setTextColor will see it as color not a color state list. what you need to do is to place the list_selector_nav_drawer_text xml selector in your color resource folder and call the context instance from your activity to get the statelist. sample: //xml should be in the color resource folder tview.setTextColor(context.getResources().getColor(R.color.list_selector_nav_drawer_text));
Pile
Logistics & Inventory Management We can help you source for quality goods from trusted and reliable merchants at the best possible price to suit your business needs. Fret not on documentation, complex procedures and scheduling as our trained professionals will endeavour to make the relevant arrangements to ensure that your shipment arrives on time. We utilise an integrated and sophisticated warehouse management and resource planning system to ensure that your goods are well managed and stored. Our trained professionals would also deliver the goods from our warehouse to your doorstep with utmost care. We have strong and strategic linkages with an established network of freight forwarders, shipping and airline partners to ensure efficient and seamless flow of goods across different countries. If you are a food and beverage manufacturer looking to lease a space for your business, come to us as we have quality spaces available and we have the skills and expertise to customise the space to suit your business requirements. Our well-trained drivers with our reliable reefer fleet safely transport products from the docks to storage and end distribution, ensuring an integrated cold chain to keep perishables at optimum quality. About Us Mandai Link Logistics is a company that specialises in cold food storage solutions established since 2006. It’s the first company in Singapore to launch a fully automated cold storage facility, which is the Automated Storage and Retrieval System ASRS, offering operational productivity and efficiency.
Pile
Q: How to write some LINQ which excludes related records in a link table? I have 2 tables Client ClientReport I need to write some LINQ that lists all Clients that are not in the ClientReport table ie I need to list all Clients not associated with a particular report. This is my starting point: var ClientList = db.StdClient.ToList(); Many thanks. EDIT: Sorry forgot one important requirement and that is that the filter needs to be report specific. ReportId is fed in as a parameter into the Action EDIT2: var ClientList = db.StdClient .Where(c => !db.StdClientReport .Any(cr=>( (cr.StdClientId == c.Id) && (cr.ReportId==ReportId) ) ) ).ToList(); A: This is assuming that there is a one-to-many relation between Client and ClientReport via either a navigation property on Client and/or a ClientId property on ClientReport. If there is a navigation property from Client to ClientReport: var clientList = db.Client.Where(c => !c.ClientReports.Any()); or int id = 7; // report ID we're looking for var clientList = db.Client.Where(c => !c.ClientReports .Any(cr => cr.ReportId == id) ); if it's specific to one report ID. Otherwise var clientList = db.Client.Where(c => !db.StdClientReport .Any(cr=>cr.ClientId == c.Id) );
Pile
Seeing Marriage Through the Trees In her song, “Tall Trees in Georgia,” the late Eva Cassidy gives a poignant glimpse into the regrets felt by those who, having chosen independence ahead of love, realize too late the cost of that decision. The sweetest love I ever had / I left aside Because I did not want to be / any man’s bride Now older, alone, and pining to be married, Cassidy advises: Control your mind my girl / and give your heart to one For if you love all men / you’ll surely be left with none In contrast to the almost universal longing for marriage, the late night stand-up comedians offer a variety of disparaging takes on marriage. The better ones make us chuckle, even laugh uproariously, by highlighting the absurd miscues, mistakes, miscalculations and, yes, mule-headedness in our familial relationships, all evidence of the foibles inherent in our human frailty. Another brand of comics provoke pinched laughs from us as they snarl and bark out their crude, cutting, hate-laced, anger-drenched diatribes about married life; they use their bawdy, blistering humor to lacerate us for of our defects, failures and the sins we commit as we struggle with the challenges of life as husband and wife, parent and child. These cynical, pitiless critics — unlike God who remembers that we are made of dust — portray the shortfalls and weaknesses of our efforts to love and denounce the whole enterprise of marriage as a miserable fraud deserving only searing comedic contempt. Seen through their bitter, anger-warped lenses, marital sex gets little but sarcasm and ridicule. The comedians are not alone in their disparaging comments. Sex in marriage is nearly always belittled in the media and elsewhere as dull, boring, or ludicrously old-fashioned and out-of-date. Typically, marriage is pictured — on the supposedly rare occasions it is actually attempted — as a pale alternative for the alleged excitement of promiscuous “fooling around.” Regular folks with normal, happy marriages (and thus who know better) can only wonder what sort of experience lies behind this deluge of derogatory bile that is the staple of TV sitcoms and comedic monologues. Why expend the energy to ridicule marriage if it is as pointless and unpalatable as it is portrayed? Even more to the point, if marriage were “as advertised,” why would anyone ever want to be married? Certainly, there is enough truth in the distortions that too many young people get the “joke” and turn away from marriage.
Pile
Vue gotchas Clean up after yourself Most of the times we use Vue with third-party plugins. Let’s say we want to mount a color picker library into our component. That usually means, we have to import the module and initialize it in the mounted() hook. It might look like this. The mounted hook gets called when our component root element (accessible as this.$el) has been mounted to DOM. After that, we are able to access our referenced elements and manipulate them or, as in this instance, use them to initialize a color picker. The gotcha with this is that after our component is destroyed, the ColorPicker instance is not. At least not properly. The reference to it is lost and hopefully garbage-collected, but since the time it was created, ColorPicker might have attached a few event listeners in our DOM which still exist. All well-written libraries should provide an API method to destroy their initialized instances and clean up after themselves. We should check the documentation and confirm the library includes a method that does it. If it doesn’t, it’s time to find a different library. All we need to do next is call this method in the beforeDestroy() hook. beforeDestroy () { this.colorPicker.destroy()} This also applies to timeouts and intervals. Don’t forget to call clearInterval() or clearTimeout() in your beforeDestroy() hook To demonstrate this problem, I created a fiddle: https://jsfiddle.net/Horsetoast/nz5uh9ed/7/Each component you add creates an event listener but doesn’t remove it.Create a bunch, remove them and click anywhere in the window to see what’s happening. The :key to success If you’ve used Vue before you’ve most likely encountered this warning message component lists rendered with v-for should have explicit keys Why do we need to pass a key to v-for elements? To cite the documentation When Vue is updating a list of elements rendered with v-for, by default it uses an “in-place patch” strategy. If the order of the data items has changed, instead of moving the DOM elements to match the order of the items, Vue will patch each element in-place and make sure it reflects what should be rendered at that particular index. Why is this important? Because things can go wrong if we use “index” as the key. When we shuffle the array of users now, the user names will get updated as they should but the inputs will stay in their original positions with the same values. To solve this problem, we would pass a unique id to the key directive to tell Vue that we want to track our elements not by indices, but by ids. In order for this solution to work, we assume that our user objects contain an id property. Of course, if you bind the input to data with v-model, everything will work just fine. This example is just to demonstrate the caveat. Instead of inputs, you might have more complex components that have attached elements from a library that operates on DOM nodes in which case re-ordering the array could mess things up. Using keys with transitions I have often encountered a scenario when using the transition component for animations that use the same tag name. I remember the first time I was confused as to why my transition was not working: When toggling between elements that have the same tag name, you must tell Vue that they are distinct elements by giving them unique key attributes. Otherwise, Vue’s compiler will only replace the content of the element for efficiency. Even when technically unnecessary though, it’s considered good practice to always key multiple items within a component. However, there are cases where we can’t initialize the data beforehand because we don’t know its structure (Some people might object that if we can’t predict our data structure then we’re doing something wrong, but let’s not dive into that discussion now). Imagine a scenario where we need to fetch the data of our users which comes as an array of objects. { "id": "p18Af0", "name": "Chris"},{ "id": "lqR55z", "name": "Sarah"} But right after we fetch them, we want to store them as an object using ids as the keys and names as the values. Why store them in this way? Maybe we’re trying to be efficient and have a map of users instead of an array. Therefore we don’t need to loop through it every time we search for a user by id.
Pile
Histopathologic examination of a globe containing an intraocular implant. A patient had both cataracts removed and a Copeland pseudophakos was implanted in one eye. Both globes were retained at autopsy for histopathologic study. The globe containing the implant did not show evidence of acute or chronic inflammation of the anterior segment, nor did it display signs suggesting secondary glaucoma. Some erosion of the iris pigment epithelium was present. In general, the globe appeared to tolerate the implant.
Pile
Q: Facebook Connect JS API / Internet Explorer trouble I'm building a Flash-based (AS3) website that incorporates Facebook Connect through a combination of the AS3 API and the Javascript API. Everything is working fine in Firefox; users are able to authenticate / login via the site, and I can make calls and receive userdata from Facebook without a problem. However, in IE (7 & 8, at least), my call to FB.Connect.requireSession(onLoginHandler), which should prompt users to connect/login, fails silently--nothing happens. I fired up the IE javascript console to investigate the situation; here's a brief transcript (>> is the console prompt): >>FB {...} >>FB.Connect {...} >>FB.Connect.requireSession(onLoginHandler) undefined >>someNonExistentVariable "'someNonExistentVariable' is undefined" As you can see, FB and FB.Connect are both defined, and it appears that FB.Connect.requireSession is as well; compare the "undefined" it returns with the error message thrown when I try to reference a non-existent variable. However, I've got no idea whyFB.Connect.requireSession is returning undefined and I've got to get this application working in all browsers. Any thoughts as to what might be causing this? Thanks in advance for your consideration! A: I figured out what was going on; this URL proved helpful: http://wiki.developers.facebook.com/index.php/Connect/Authorization_Websites In my call to requireSession, I was omitting the second parameter ("isUserActionHint"), which needs to be set to 'true' when the call is made in the context of a Flash site. Apparently Firefox didn't mind that it was missing, but IE's a stickler for it. Hopefully this helps someone else down the line...
Pile
Q: What is the difference between Document and document? This is the image of the index on the left on Mozilla Developer Network. What I would like to ask is this: What is the difference between Document and document ? The reason why I am asking is this: I have always retrieved elements as follows (document with a small d): document.getElementById("#id"); and MDN lists it as follows (Document with a capital D) : Document.getElementById("#id"); A: document is the actual object for your html page loaded in browser. This is a DOM object. Document is the function(a DOM interface precisely), which will be used to create the document object. This "Document" is implemented by the browser program. This takes our HTML file as input and creates the "document" object. Document.getElementById(..) -> wrong. This wont work. Document.prototype.getElementById(..) This is the right way Refer this link - Reference link Document Implementation is specific to each browser. But it can be extended. Check this article too. http://perfectionkills.com/whats-wrong-with-extending-the-dom/ The document object could be from separate implementations by browsers based on the file type. For HTML the prototype would be "HTMLDocumentPrototype" (uses Document interface), and for XML it would be just a "Object" and no prototype attached. This might differ from browser to browser, since implementation is specific.
Pile
Disease phenotype at diagnosis in pediatric Crohn's disease: 5-year analyses of the EUROKIDS Registry. It has been speculated that pediatric Crohn's disease (CD) is a distinct disease entity, with probably different disease subtypes. We therefore aimed to accurately phenotype newly diagnosed pediatric CD by using the pediatric modification of the Montreal classification, the Paris classification. Information was collected from the EUROKIDS registry, a prospective, web-based registry of new-onset pediatric IBD patients in 17 European countries and Israel. When a complete diagnostic workup was performed (ileocolonoscopy, upper gastrointestinal [GI] endoscopy, small bowel imaging), CD patients were evaluated for ileocolonic disease extent, esophagogastroduodenal involvement, and jejunal/proximal ileal involvement. Disease behavior and the occurrence of granulomas were also analyzed. In all, 582 pediatric CD patients could be classified according to the Paris classification. Isolated terminal ileal disease (± limited cecal disease) was seen at presentation in 16%, isolated colonic disease in 27%, ileocolonic disease in 53%, and isolated upper GI disease in 4% of patients. In total, 30% had esophagogastroduodenal involvement and 24% jejunal/proximal ileal disease. Patients with L2 disease were less likely to have esophagogastroduodenal involvement or stricturing disease than patients with L1 or L3 disease. Terminal ileal disease and stricturing disease behavior were more common in children diagnosed after 10 years of age than in younger patients. Granulomas were identified in 43% of patients. Accurate phenotyping is essential in pediatric CD, as this affects the management of individual patients. Disease phenotypes differ according to age at disease onset. The Paris classification is a useful tool to capture the variety of phenotypic characteristics of pediatric CD.
Pile
Q: MySQLi изучение Добрый день! Какие мануалы стоит почитать для изучения mysqli? A: Использование mysqli; Улучшенный модуль MySQL (Improved). Почитай "Джон Коггзолл-PHP5 Полное руководство". Там есть раздел.
Pile
Q: MS Dynamics CRM online 2011 - Authentication issues I am a total newbie with dynamics crm online (2011), and although I have been working through the SDK sample code, I am trying to find the simplest way to perform a basic authenticated connection to our online Dynamics CRM service, and push some very basic data to a custom entity/extension I have created. Hopefully you can see from the above code snippet (sensitive data blurred), I am probably trying to circumvent the authentication process? The above code example was based a little on some of the code samples in the CRM SDK, and also from a code project example. I don't know if the code above would even work? actually it seems to try, and only when the "serviceProxy.Create" is executed do I get an authentication error. I have also managed to navigate out of the corporate firewall with the following addition to my app.config file: <system.net> <defaultProxy useDefaultCredentials=”true”> <proxy usesystemdefault="true"/> </defaultProxy> </system.net> Again, not sure if there is a very basic way to connect? or should I really fall back to the SDK helper files? A: This is the simplest way to connect to CRM Online, you need only to add reference to Microsoft.Xrm.Sdk.Client and Microsoft.Xrm.Client.Services CrmConnection crmConnection = CrmConnection.Parse("Url=https://XXX.crm.dynamics.com; Username=user@domain.onmicrosoft.com; Password=passwordhere;"); OrganizationService service = new OrganizationService(crmConnection); Entity account = new Entity("account"); account ["name"] = "Test Account"; Guid accountId = service.Create(account); Refers to this msdn article for create the right connection string Simplified Connection to Microsoft Dynamics CRM
Pile
Molecular mapping of the acid catalysed dehydration of fructose. Several intermediates and different reaction paths were identified for the acid catalysed conversion of fructose to 5-(hydroxymethyl)-2-furaldehyde (HMF) in different solvents. The structural information combined with results of isotopic-labelling experiments allowed the determination of the irreversibility of the three steps from the fructofuranosyl oxocarbenium ion to HMF as well as the analogous pyranose route.
Pile
OSHA does not approve of what Fluttershy is doing to that chair. Deep in the heart of the New York Toy Fair, Hasbro taunts us with live shots of their newest toys. Spike looks so cool as a big strong dragon, and the toy looks like it can shoot fire...the plastic molded kind. Also what's interesting is it includes a normal sized weyrling Spike; for size comparison obviously! What must Rarity think of him now?Grab the Equestria Girls Minis including a brand new Sunset Shimmer mini, below!
Pile
Ciucci Ciucci is an Italian surname. Notable people with the surname include: Alfredo Ciucci (born 1920), Italian footballer Antonio Filippo Ciucci, seventeenth-century Italian physician Category:Italian-language surnames
Pile
{ "parameters": { "Content-Type": "application/json", "Training-Key": "{API Key}", "projectId": "64b822c5-8082-4b36-a426-27225f4aa18c" }, "responses": { "200": { "headers": {}, "body": { "Id": "e31a14ab-5d78-4f7b-a267-3a1e4fd8a758", "Name": "Iteration 2", "IsDefault": false, "Status": "Training", "Created": "2017-12-18T22:40:36.9066667Z", "LastModified": "2017-12-19T15:46:58.197323Z", "ProjectId": "64b822c5-8082-4b36-a426-27225f4aa18c", "Exportable": false, "DomainId": null } } } }
Pile
Q: How to view the value of a variable in Firefox Developer Edition 52.0a2? In the Debugger in Firefox Developer Edition I've set a breakpoint to land on the assignment to a JavaScript variable. I expected to be able to hover over all previously defined variables to view their values within a tooltip like in previous versions of Firefox, but it doesn't show me anything and there doesn't seem to be a window I can add to the side: Any ideas how to display the variable values? A: As described in an answer to a similar question, the Debugger panel in the Firefox Developer Edition 52.0a2 is actually an external project reworked from scratch, which doesn't have all features of the original Debugger panel yet. This feature is obviously not implemented in the new UI yet. So, for now you need to have a look at the side panel under Scopes to see the variable value. If you don't want to wait until the feature is reimplemented in the new Debugger panel, you can switch to the old UI by setting the preference devtools.debugger.new-debugger-frontend in about:config to false.
Pile
Ask HN: Please preface April Fools day stories with 4/1:? - dfc I think the title says it all... ====== Urgo A running list of all the jokes can be found here: <https://news.ycombinator.com/item?id=3782212> ------ mattmiller That spoils the fun. ~~~ sek Signed. This is Hackernews and not Wikipedia. ------ paulsutter I have to give this particular April Fools joke high marks for the number of people who have fallen for it, but low marks for being only mildly funny. ------ stefankendall Agreed.
Pile
Arsenal chairman Sir Chips Keswick says: “We are fully aware of the attention currently focused on the club and understand the debate. We respect that fans are entitled to their different individual opinions but we will always run this great football club with its best long-term interests at heart. "Arsène has a contract until the end of the season. Any decisions will be made by us mutually and communicated at the right time in the right way.”
Pile
Aladdin's Retreat Description Occasionally, you can find Aladdin and Lampwick here telling folks where the nearest restroom is. But it's mostly an abandoned attraction. Touring Advice Warning: during Thanksgiving, this attraction will be uncomfortable for tourists. Guest Policies and Alerts For your continued corporate compliance, you should be in good health and free from leg complications or other conditions that could be aggravated by this experience. Trivia This attraction was spiritually sponsored by Can of India. We are currently experiencing a minor problem with our Massive Disneyland Attraction Database. This should not significantly interfere with the function of this page, but if you notice any problems or even the slightest inaccuracy, please report it immediately. Thank you for your courtesy.
Pile
TRADIES, nurses, doctors and teachers are among 174,000 winners from federal Treasurer Joe Hockey's decision to axe Labor's $2000 limit on tax deductions for work-related self-education expenses. It is one of seven taxes Mr Hockey dumped on Wednesday, at a cost of $2.4 billion, despite declaring a "Budget emergency" before the election. But the Treasurer is keeping 18 other tax hikes worth $10.9 billion, including a $5.3 billion increase on tobacco excise over four years that adds $5 to a pack of 20 cigarettes. The Abbott Government is also keeping Labor's $963 million hit on 800,000 people with high medical expenses and an $815 million grab on unused small super accounts. Another three taxes, including one aimed at stopping multinationals shifting profits overseas, will be watered down, at a cost of $700 million. Mr Hockey said Labor's cap on self-education expenses was a flawed $266 million tax that hurt lower-income people trying to invest in their own education. He said 81 per cent of those making a claim earned less than $80,000. News_Module: Tax gift The tax break can be used for training, education courses, textbooks and other accreditation expenses. The biggest users include people working in health, legal, education, social work, business, and trades. "They are the people who are trying to invest in their own education to get ahead. It was flawed policy," Mr Hockey said. Australian Medical Association president Dr Steve Hambleton said it had been a "tax on learning that would have discouraged investment in skills and stifled excellence". Universities Australia chief executive Belinda Robinson said it would have been a threat to productivity. A nurse earning $55,000 taking a postgraduate course would have been $1220 worse off. But shadow treasurer Chris Bowen said Labor wanted to crack down on rorts where unjustified "expensive overseas conferences" were claimed. Mr Hockey said he had inherited 96 tax and superannuation changes that were announced but not legislated. Most were Labor's; some were from 2001, when Peter Costello was treasurer. "This is a legacy of laziness that has left taxpayers confused," Mr Hockey said. News_Image_File: Bernadette Wilks is one of the many who will benefit from the tax changes which will axe the previous $2000 limit for work-related self-education expenses. Picture: Jason Edwards On top of the recent move to give the Reserve Bank $8.8 billion, Wednesday's actions add another $3.1 billion to the deficit - a total of almost $12 billion since the election. Mr Hockey repeated that he had dumped Labor's $1.8 billion fringe benefits tax crackdown on cars, that had hit car-leasing businesses. He also abolished the tax on super pension earnings above $100,000 for 16,000 wealthy people, at a cost of $313 million. Mr Bowen said it showed the Coalition's "twisted values" that it cut tax for high-income earners with more than $2 million in their nest egg while removing a tax cut worth up to $500 on super for 3.6 million low-income workers, including 2.1 million women. But Mr Hockey accused Labor of having used the superannuation system as a milking cow to fix Budget problems. He said his focus was to reduce spending not increase tax. A tax White Paper would be commissioned and any changes taken to an election. "Let's have some taxation stability for a while," he said. The Coalition is also keeping Labor's $1 billion hit to research and development tax breaks for companies with incomes of $20 billion or more. Assistant Treasurer Arthur Sinodinos will consult about 64 other taxes that are worth $72 million. phillip.hudson@news.com.au
Pile
From Tsunami Police To The Dodo Derby We’ll begin today with a couple of important announcements. First, a massive tsunami unfurled along the California coast this morning…and your editor observed it firsthand. At 8:25 A.M., on the button, sirens blared and a tidal wave descended upon Main Beach here in Laguna. There weren’t any giant waves, of course, nor even the slightest visible ripple along the surf. But there was a massive tsunami of police cars and emergency vehicles crowding the beachfront to protect the public from the “emergency that wasn’t.” The photo below, snapped moments after the tsunami’s predicted arrival, shows very clearly that the only thing that swept across Laguna Beach this morning was a hodgepodge of uniforms and badges swirling about as purposelessly as driftwood. California’s treasury may be running on empty, but somehow, we still manage to find the money to send police down to the beach to watch the waves roll in. Please understand, we have no quarrel with this state of affairs; we’d much rather see a cop car on the beach, for example, than in our rear-view mirror. We just don’t understand the maths that makes this system work. Next item on today’s agenda: It seems we have once again annoyed the folks over at the Darwin Awards. We are sorry to have done so and wish to issue a public apology. To view some of the real work these fine, actual Darwin Award folk do, we present this link directly to their website. Feel free to visit it or not, as you wish. Further, in consideration of our respect for the folks at the Darwin Awards – and in recognition of their trademark – we will heretofore refrain from utilising any portion of the term “Darwin Awards” in our little spectacle here at The Daily Reckoning. It’s difficult to find a new name for our contest on such short notice. But fear not, after putting our heads together here at Daily Reckoning headquarters, we came up with the following: “The-name-of-the-guy-who-came-up-with-the-idea-of-evolution-but-who’s-name-we-cannot-use-due-to-trademark-infringement-constraints-Award.” For short, we have renamed our event the “Dodo Derby.” Joel Bowman provides some details on the Dodo Derby’s first runner up – a state flush with movie star governors, gaping budget deficits and tsunami-gazing police forces – right here. NOW WATCH: Money & Markets videos Want to read a more in-depth view on the trends influencing Australian business and the global economy? BI / Research is designed to help executives and industry leaders understand the major challenges and opportunities for industry, technology, strategy and the economy in the future. Sign up for free at research.businessinsider.com.au.
Pile
Distribution patterns of PAHs and trace elements in mosses Hylocomium splendens (Hedw.) B.S.G. and Pleurozium schreberi (Brid.) Mitt. from different forest communities: a case study, south-central Poland. Twenty samples of the moss species Hylocomium splendens and Pleurozium schreberi were collected at 10 sites of the Holy Cross Mountains (south-central Poland) and analyzed for 16 polycyclic aromatic hydrocarbons and 33 elements. The ring sequence of PAHs in the moss samples is: 4 (92-1040 ng x g(-1))>3 and 5 (21-272 ng x g(-1))>6 (<5-131 ng x g(-1)). H. splendens accumulates PAHs more effectively than P. schreberi, and therefore the former may be regarded as a better bioindicator of PAHs. No correlation was found between concentrations of PAHs and elements. However, both H. splendens and P. schreberi shows different bioaccumulative capabilities depending on the plant communities. The mosses growing in the dry pine forest Cladonio-Pinetum reveal higher levels of Fe, Na, Sr, Ti, Cr, Mo, Ni, V and higher mean concentrations of summation operator16 PAHs, whereas those from the continental coniferous forest Querco roboris-Pinetum are highlighted by elevated levels of B, Ca, K, Mg, Mn, P, Rb and Sb and lower mean concentrations of summation operator16 PAHs. These differences seem to be brought about by a higher biodiversity of the second forest type and its higher productivity that favors more effective cycling of elements.
Pile
Meghan McCain says this is “the worst” presidential election in history. This is the worst election ever. — Meghan McCain (@MeghanMcCain) February 26, 2016 “This is the worst election ever,” tweeted Meghan McCain, daughter of Sen. John McCain John Sidney McCainThe electoral reality that the media ignores Kelly's lead widens to 10 points in Arizona Senate race: poll COVID response shows a way forward on private gun sale checks MORE (R-Ariz.). She also blasted Gov. Chris Christie (R-N.J.) for endorsing Republican front-runner Donald Trump Donald John TrumpHR McMaster says president's policy to withdraw troops from Afghanistan is 'unwise' Cast of 'Parks and Rec' reunite for virtual town hall to address Wisconsin voters Biden says Trump should step down over coronavirus response MORE earlier Friday. What a cynical hack Mr. "straight shooter" Chris Christie turned out to be. I hope he sleeps well tonight selling out what's left of himself — Meghan McCain (@MeghanMcCain) February 26, 2016 “I am deeply disgusted with Chris Christie,” she wrote of the former GOP presidential candidate. "What a cynical hack Mr. ‘straight shooter’ Chris Christie turned out to be. I hope he sleeps well tonight selling out what’s left of himself." The conservative commentator also blamed politicians like Christie for driving younger voters to back political outsiders like Democratic presidential contender Sen. Bernie Sanders Bernie SandersMcConnell accuses Democrats of sowing division by 'downplaying progress' on election security The Hill's Campaign Report: Arizona shifts towards Biden | Biden prepares for drive-in town hall | New Biden ad targets Latino voters Why Democrats must confront extreme left wing incitement to violence MORE (I-Vt.). Millennials are also flocking to Sanders because of politicians like Christie - who recently said a vote for Trump is a vote for Hillary. — Meghan McCain (@MeghanMcCain) February 26, 2016 “Millennials are also flocking to Sanders because of politicians like Christie — who recently said a vote for Trump is a vote for [Democratic presidential front-runner] Hillary [Clinton],” Meghan McCain said. Christie astounded political pundits Friday by endorsing Trump during a surprise appearance in Texas. ADVERTISEMENT The New Jersey governor’s backing follows one of the most crowded and bruising GOP presidential primaries in recent memory, at one point topping 17 contenders. Christie suspended his own White House run earlier this month after a poor showing in New Hampshire’s early voting primary. Trump, meanwhile, sparked outrage last summer by mocking John McCain for being a prisoner of war during the Vietnam War. John McCain, the 2008 GOP presidential nominee, has permanent physical injuries from his torture during six years in captivity.
Pile
I go to school and work 4 days a week, how do I make money in the rest 3 - lannisterstark I am often bored during the weekends and a day off I get once in a while during the week. I need the money, for tuition and all, so how would I go on about making money with my free time.<p>I only have <i>some</i> programming experience. Right now I teach at InstaEdu (Now Chegg tutors) at $20 an hour but it is VERY UNSTABLE. I sometimes can manage $100 in the same day and somedays only $20 for 4-5 hours of work. Pointers?<p>Also, I can&#x27;t get a second job because of some government-aid restrictions on me :&#x2F; I live in the USA.<p>Thanks! :) ====== saluki What's your major . . . if you're bored think about learning something related to your major or something that could earn you money in the future. If you have some programming experience think about learning more if you're interested in it you can make money with those skills. You can learn how to create websites and offer that as a service to friends/classmates and/or local small businesses.(html/css, buying domains, setting up hosting). Maybe learn how to setup develop and customize wordpress sites and offer that service as well. (setting up wordpress on hosting, pointing the domain, installing themes, customizing, plugins). You will need to report this income on your taxes so make sure you don't go over limits affecting your financial aid for school. You can get an EIN number for employers to send you 1099s so you don't have to use your social. ------ nabaraz Tutoring, Uber/Lyft, Amazon Flex, Online store, dog walk, day care... there are lot of things you can do. ------ tosaynet55 easy way - campus job (not sure gov will restrict that as well, you may want to double check) harder way - there're many other ways out there that you could make money, think outside of box and not just things around your major / school, you can sell things on ebay, you can programming for others for profit, you can install & setup security camera systems for others for profit. Generally you want to take advantage of things / information that you know but others don't and transit it into profits. In my own experience that really works, I used to flip things on ebay and made ~$100-300 per day which only required 1-2 hours of work each day. I paid all my tuition and my living expenses with that. Yes, I also did other things to generate profits so don't limit your imagination. It was hard for me to make the first move (afraid of lose initial investment, uncertainty, afraid of change, working on things I don't have domain expertise, etc), but as long as you are willing to get your hands dirty, you will find ways to make nice money. ------ tmaly Why not create your own courses about what you teach and put them up on Udemy? You can make some extra money on the side and learn a new skill of developing courses. Another option is to start a blog about something you are passionate about. Building an authority site takes time, but you have a few options to make money from it. ------ Mz [http://writepay.blogspot.com/](http://writepay.blogspot.com/)
Pile
README.md exists but content is empty.
Downloads last month
26