close

Endpoint Security Finance

VATitle Of Album: DJ Dance HitsRelease Date: 1995Location: All WorldLabel: Pulse Records (DJDH 950413-1)Genre: DanceQuality: FLAC (image+.cue+covers) / MP3 CBR 320 kbpsLength: 1:04:07 minTracks: 15Total Size: 468 MB / 160 MB (+5%) 2015-09-03 18:29 MuatDip21 Artist: The VaporsTitle Of Album: Magnets [Reissue]Release Date: 2000 (1981)Location: EnglandLabel: Captain Mod (MODSKA CD 012)Genre: Punk, New Wave, Power PopQuality: FLAC (tracks+.cue+covers) / MP3 CBR 320 kbpsLength: 54:44 minTracks: 14Total Size: 398 MB / 132 MB (+5%) 2015-09-03 18:26 MuatDip21 Artist: HarmajaTitle Of Album: MarrasRelease Date: 2012Location: FinlandLabel: Sony MusicGenre: Acoustic Rock, Blues-RockQuality: FLAC (tracks+.cue) / MP3 CBR 320 kbpsLength: 42:48 minTracks: 11Total Size: 265 MB / 103 MB (+5%) 2015-09-03 18:26 MuatDip21 Artist: Rita ChiarelliTitle Of Album: Sweet ParadiseRelease Date: 2009Location: CanadaLabel: Mad Iris MusicGenre: BluesQuality: FLAC (tracks+.cue) / MP3 CBR 320 kbpsLength: 00:49:26//+------------------------------------------------------------------+ #property copyright "Shu" #property link "//---- #property indicator_chart_window #property show_inputs //---- #include <WinUser32.mqh> /* Readme: I. Features: This is an improved version of period converter for MT4 based on the MT4's default period converter by metaquotes. The default period converter script do not support real-time refreshing, and consume lots of CPU (50%-9x%) making the whole system slow. Also, the default one is a script which do not save when you exit MT4, so you have to apply every converter script again after restarting, quite annoying. This one fixed all above problems: 1. Real-time updating or custom interval millisecond level updating. 2. Low CPU cost, average 5%-10% or less. 3. Works as an indicator, so can be saved and reloaded during restart. 4. There is no one converter per chart limitation as it is not script any more, you can only use one window as source to generate as many newtimeframe chart as possible. 5. Auto updating if there is new history block loaded. II. How to use: Copy the mq4 file to your MT4 indicators folder (experts\indicators) to install it as an indicator, NOT script. then in the custom indicator list, attach period_converter_opt to the chart you want. It support 4 parameters: PeriodMultiplier: new period multiplier factor, default is 2 UpdateInterval: update interval in milliseconds, zero means update real-time. default is zero. Enabled: You can disable it without remove it with this option. Other parameters are comments or for debugging, it is safe to ignore them. Also Make sure you have Allow Dll imports option checked in common tab or it won't work After that, File->Open Offline to open the generated offline data. then the offline data will be updated automatically. As long as you keep the source chart open and the converter indicator running, the generated chart including indicators inside will always be updated. also you can close thegenerated chart and open again later from File->Open Offline without problem. If you want to quit MT4, you can leave those offline chart as other normal online charts. when you start MT4 next time, those charts will also be loaded and updated. III. Notes: 1. Do NOT uncheck the "offline chart" option in offline chart common properties. or after MT4 restart, it will treat that chart as online chart and request the data from server, resulting empty chart window. 2. You can attach more than one converter to same window with different PeriodMultiplier, e.g: you can attach 3 converter with PeriodMultiplier = 2, 4, 10 to M1 to generate M2, M4, M10 at the same time. It is even ok to use the M1 chart to generate Hourly chart like H2, which only cost a few more CPU resource during initial conversion. but usually most server don't have much data for those short period. resulting the generated data isn't long enough for long period. so it is suggested to use Hourly/Daily charts as source whenneeded. 3. The real-time updating mode updates quotes as fast as possible, but as this is done via script, and MT will skip calling start() function when your PC is busy and lots of quotes income. anyway, this seldom happen, and you can at least get 10 updates each seconds which is much more than enough. 4. The offline chart don't have a bid line showing in chart, but all data in the chart including the indicators is still being updated, so don't worry. you can show the bid line by unclick the "offline chart" option in chart properties. but which don't helps much and if you forget to check "offline chart" option before exit. it will cause errors and become empty on next startup. you have to close the window and open again from File->Open offline, which don't worth the trouble. IV. History: 2005.12.24 1.4 faster to detect if data changed by removing float point operations, added support to output CSV file in real time. OutputCSVFile = 0 means no CSV. OutputCSVFile = 1 means CSV HSTOutputCSVFile = 2 CSV only, no HST . (useful if you want to generate CSV for builtin periods) CSV Filename will be the same as HST file except the extension. added safe checking for PeriodMultiplier. 2005.12.04 1.3 Fixed missing data when there is large amount of data loaded in several blocks, and support auto updating when new history is loaded. 2005.11.29 1.2 Additional fix for missing data and server changing. 2005.11.29 1.1 Fixed missing partial data after restart. Reinitialize after changing server or data corrupted. 2005.11.28 1.0 Initial release */ //---- extern double Version=1.4; // code version extern string BuildInfo="2008.08.21 by Shu"; extern int PeriodMultiplier=2; // new period multiplier factor extern int OutputCSVFile =1; // also output CSV file? extern int UpdateInterval =0; // update interval in milliseconds, zero means update real-time. extern bool Enabled=true; extern bool Debug=false; //---- int FileHandle=-1; int CSVHandle=-1; int NewPeriod =0; //---- #defineOUTPUT_HST_ONLY 0 #define OUTPUT_CSV_HST 1 #define OUTPUT_CSV_ONLY 2 #define CHART_CMD_UPDATE_DATA 33324 //+------------------------------------------------------------------+ //| | //+------------------------------------------------------------------+ void DebugMsg(string msg) { if (Debug) Alert(msg); } //+------------------------------------------------------------------+ //| | //+------------------------------------------------------------------+ int init() { //safe checking for PeriodMultiplier. if (PeriodMultiplier<=1) { //only output CSV file PeriodMultiplier=1; OutputCSVFile=2; } NewPeriod=Period() * PeriodMultiplier; if (OpenHistoryFile() < 0) return(-1); WriteHistoryHeader(); UpdateHistoryFile(Bars-1, true); UpdateChartWindow(); return(0); } //+------------------------------------------------------------------+ //| | //+------------------------------------------------------------------+ void deinit() { //Close file handle if(FileHandle>= 0) { FileClose(FileHandle);FileHandle=-1; } if (CSVHandle>=0) { FileClose(CSVHandle); CSVHandle=-1; } } //+------------------------------------------------------------------+ //| | //+------------------------------------------------------------------+ int OpenHistoryFile() { string name; //---- name=Symbol() PeriodMultiplier; // *** Shu if (OutputCSVFile!=OUTPUT_CSV_ONLY) { FileHandle=FileOpenHistory(name ".hst", FILE_BIN|FILE_WRITE); if (FileHandle < 0) return(-1); } if (OutputCSVFile!=OUTPUT_HST_ONLY) { CSVHandle=FileOpen(name ".csv", FILE_CSV|FILE_WRITE, ','); if (CSVHandle < 0) return(-1); } return(0); } //+------------------------------------------------------------------+ //| | //+------------------------------------------------------------------+ int WriteHistoryHeader() { string c_copyright; int i_digits=Digits; int i_unused[13]={0}; int version=400; //---- if (FileHandle < 0) return(-1); c_copyright="(C)opyright 2003, MetaQuotes Software Corp."; FileWriteInteger(FileHandle, version, LONG_VALUE);FileWriteString(FileHandle, c_copyright, 64); FileWriteString(FileHandle, Symbol(), 12); FileWriteInteger(FileHandle, PeriodMultiplier, LONG_VALUE); FileWriteInteger(FileHandle, i_digits, LONG_VALUE); FileWriteInteger(FileHandle, 0, LONG_VALUE); //timesign FileWriteInteger(FileHandle, 0, LONG_VALUE); //last_sync FileWriteArray(FileHandle, i_unused, 0, ArraySize(i_unused)); return(0); } static double d_open, d_low, d_high, d_close, d_volume; static int i_time; //+------------------------------------------------------------------+ //| | //+------------------------------------------------------------------+ void WriteHistoryData() { if (FileHandle>=0) { FileWriteInteger(FileHandle, i_time, LONG_VALUE); FileWriteDouble(FileHandle, d_open, DOUBLE_VALUE); FileWriteDouble(FileHandle, d_low, DOUBLE_VALUE); FileWriteDouble(FileHandle, d_high, DOUBLE_VALUE); FileWriteDouble(FileHandle, d_close, DOUBLE_VALUE); FileWriteDouble(FileHandle, d_volume, DOUBLE_VALUE); } if (CSVHandle>=0) { inti_digits=Digits; //---- FileWrite(CSVHandle, TimeToStr(i_time, TIME_DATE), TimeToStr(i_time, TIME_MINUTES), DoubleToStr(d_open, i_digits), DoubleToStr(d_high, i_digits), DoubleToStr(d_low, i_digits), DoubleToStr(d_close, i_digits), d_volume); } } //+------------------------------------------------------------------+ //| | //+------------------------------------------------------------------+ int UpdateHistoryFile(int start_pos, bool init=false) { static int last_fpos, csv_fpos; int i, ps; //---- ps=Period() * PeriodMultiplier * 60; i_time=tt(Time[start_pos]); //---- if (init) { //first time, init data d_open=Open[start_pos]; d_low=Low[start_pos]; d_high=High[start_pos]; d_close=Close[start_pos]; d_volume=Volume[start_pos]; i=start_pos - 1; if (FileHandle>=0) last_fpos=FileTell(FileHandle); if (CSVHandle>=0) csv_fpos=FileTell(CSVHandle); } else { i=start_pos; if (FileHandle>=0) FileSeek(FileHandle,last_fpos,SEEK_SET); if (CSVHandle>=0) FileSeek(CSVHandle, csv_fpos, SEEK_SET); } if (i <0) return(-1); //----d int cnt=0; int LastBarTime; //processing bars while(i>=0) { LastBarTime=Time[i]; //a new bar if (LastBarTime>= i_time ps) { //write the bar data WriteHistoryData(); cnt++; i_time=tt(LastBarTime); d_open=Open[i]; d_low=Low[i]; d_high=High[i]; d_close=Close[i]; d_volume=Volume[i]; } else { //no new bar d_volume+= Volume[i]; if (Low[i]<d_low) d_low=Low[i]; if (High[i]>d_high) d_high=High[i]; d_close=Close[i]; } i--; } //record last_fpos before writing last bar. if (FileHandle>=0) last_fpos=FileTell(FileHandle); if (CSVHandle>=0) csv_fpos=FileTell(CSVHandle); //---- WriteHistoryData(); cnt++; d_volume-= Volume[0]; //flush the data writen if (FileHandle>=0) FileFlush(FileHandle); if (CSVHandle>=0) FileFlush(CSVHandle); return(cnt); } //+------------------------------------------------------------------+ //| | //+------------------------------------------------------------------+ int UpdateChartWindow() { static int hwnd=0; //---- if (FileHandle < 0) { //no HST fileopened, no need updating. return(-1); } if(hwnd==0) { //trying to detect the chart window for updating hwnd=WindowHandle(Symbol(), PeriodMultiplier); } if(hwnd!= 0) { if (IsDllsAllowed()==false) { //DLL calls must be allowed DebugMsg("Dll calls must be allowed"); return(-1); } if (PostMessageA(hwnd,WM_COMMAND,CHART_CMD_UPDATE_DATA,0)==0) { //PostMessage failed, chart window closed hwnd=0; } else { //PostMessage succeed return(0); } } //window not found or PostMessage failed return(-1); } /* int PerfCheck(bool Start) { static int StartTime = 0; static int Index = 0; if (Start) { StartTime = GetTickCount(); Index = 0; return (StartTime); } Index++; int diff = GetTickCount() - StartTime; Alert("Time used [" Index "]: " diff); StartTime = GetTickCount(); return (diff); } */ //----- static int LastStartTime=0; static int LastEndTime=0; static int LastBarCount=0; //+------------------------------------------------------------------+ //| |//+------------------------------------------------------------------+ int reinit() { deinit(); init(); LastStartTime=Time[Bars-1]; LastEndTime=Time[0]; LastBarCount=Bars; } //+------------------------------------------------------------------+ //| | //+------------------------------------------------------------------+ bool IsDataChanged() { /* static int LastBars = 0, LastTime = 0, LastVolume = 0; static double LastOpen = 0, LastClose = 0, LastHigh = 0, LastLow = 0; if (LastVolume != Volume[0] || LastBars != Bars || LastTime != Time[0]|| LastClose != Close[0] || LastHigh != High[0] || LastLow != Low[0] || LastOpen != Open[0]) { LastBars = Bars; LastVolume = Volume[0]; LastTime = Time[0]; LastClose = Close[0]; LastHigh = High[0]; LastLow = Low[0]; LastOpen = Open[0]; return (true); } return (false); */ /* fast version without float point operation */ static int LastBars=0, LastTime=0, LastVolume=0; bool ret; //---- ret=false; if (LastVolume!=Volume[0]) { LastVolume=Volume[0];ret=true; } if (LastTime!=Time[0]) { LastTime=Time[0]; ret=true; } if (LastBars!=Bars) { LastBars=Bars; ret=true; } return(ret); } //+------------------------------------------------------------------+ //| | //+------------------------------------------------------------------+ int CheckNewData() { static string LastServer=""; //---- if (Bars < 2) { //the data is not loaded yet. DebugMsg("Data not loaded, only " Bars " Bars"); return(-1); } string serv=ServerAddress(); if (serv=="") { //no server yet DebugMsg("No server connected"); return(-1); } //server changed? check this and reinit to prevent wrong data while changing server. if (LastServer!=serv) { DebugMsg("Server changed from " LastServer " to " serv); LastServer=serv; reinit(); return(-1); } if (!IsDataChanged()) { //return if no data changed to save resource //DebugMsg("No data changed"); return(-1); } if (Time[Bars-1]!=LastStartTime) { DebugMsg("Start time changed, new history loaded or server changed"); reinit();return(-1); } int i, cnt; //try to find LastEndTime bar, which should be Time[0] or Time[1] usually, //so the operation is fast for(i=0; i < Bars; i++) { if (Time[i]<=LastEndTime) { break; } } if (i>=Bars || Time[i]!=LastEndTime) { DebugMsg("End time " TimeToStr(LastEndTime) " not found"); reinit(); return(-1); } cnt=Bars - i; if (cnt!=LastBarCount) { DebugMsg("Data loaded, cnt is " cnt " LastBarCount is " LastBarCount); reinit(); return(-1); } //no new data loaded, return with LastEndTime position. LastBarCount=Bars; LastEndTime=Time[0]; return(i); } //+------------------------------------------------------------------+ //| program start function | //+------------------------------------------------------------------+ int start() { static int last_time=0; //---- if (!Enabled) return(0); if (Period()!=PERIOD_MN1) return; // тока для месицыв работаем! //---- switch(PeriodMultiplier) { case 2: case 3: case 4: case 6: case 12: break; default: return; break; } //always update orupdate only after certain interval if (UpdateInterval!= 0) { int cur_time; //---- cur_time=GetTickCount(); if (MathAbs(cur_time - last_time) < UpdateInterval) { return(0); } last_time=cur_time; } //if (Debug) PerfCheck(true); int n=CheckNewData(); //if (Debug) PerfCheck(false); if (n < 0) return(0); //update history file with new data UpdateHistoryFile(n); //refresh chart window UpdateChartWindow(); //if (Debug) PerfCheck(false); return(0); } //+------------------------------------------------------------------+ //| | //+------------------------------------------------------------------+ datetime tt(datetime dt) { datetime r; int m, y; //---- m=TimeMonth(dt); y=TimeYear (dt); m=m/PeriodMultiplier; m=m * PeriodMultiplier 1; r=StrToTime(DoubleToStr(y,0) "." DoubleToStr(m,0) "." "01"); Comment(TimeToStr(r)); //---- return(r); } //+------------------------------------------------------------------+[/more] Посмотрите где есть блоки и функции которые можно упростить/заменить наsmartphone or even hours - Samsung focuses on the integration of all services to the clock, which, incidentally, also will present today. Tags: "" [] 2015-09-04 08:36 samzenpus nightcats writes: Nature has an extensive piece on the legacy of the "enchantress of abstraction," the extraordinary Victorian-era computer pioneer Ada Lovelace, daughter of the poet Lord Byron . Her monograph on the Babbage machine was described by Babbage himself as a creation of "that Enchantress who has thrown her magical spell around the most abstract of Sciences and has grasped it with a force that few masculine intellects (in our own country at least) could have exerted over it. " Ada's remarkable merging of intellect and intuition - her capacity to analyze and capture the conceptual and functional foundations of the Babbage machine - is summarized with a historical context which reveals the precocious modernity of her scientific mind. "By 1841 Lovelace was developing a concept of 'Poetical Science', inwhich scientific logic would be driven by imagination, 'the Discovering faculty, pre-eminently. It is that which penetrates into the unseen worlds around us, the worlds of science.' She saw mathematics metaphysically, as 'the language of the unseen relations between things;' but added that to apply it, 'we must be able to fully appreciate, to feel, to seize, the unseen, the unconscious.' She also saw that Babbage's mathematics needed more imaginative presentation." at Slashdot. 2015-09-04 06:02 samzenpus itwbennett writes: Pioneer is developing a 3D LIDAR (light detection and ranging) sensor for use in autonomous vehicles that could be a fraction of the cost of current systems (the company envisions a price point under $83). Key to this is technology related to optical pickups once used in laserdisc players, which Pioneer made for 30 years. From the ITWorld story: "The system would detect objects dozens of meters ahead, measure their distance and width and identify them based on theirshape. Pioneer, which makes GPS navigation systems, is working on getting the LIDAR to automatically produce high-precision digital maps while using a minimum of data compared to the amount used for standard maps for car navigation." at Slashdot. 2015-09-04 04:25 samzenpus dkatana writes: Residents in Copenhagen have a new all-electric, free-floating, carsharing service. DriveNow is launching 400 brand new BMW i3 electric cars in the Danish city. The service is one-way, and metered by the minute. The big news is that residents can sign-up on the spot taking a picture of their drivers' license and a selfie and use their public transport accounts to pay. There will be a car available every 300 meters, the same distance as bus stops. The cost will be 3.50 kroner ($0.52) per minute driven. If members decide to park the car for a few minutes continuing the rental, those stationary minutes are charged at 2.5 kroner ($0.37). The maximum charge per hour is capped at 190 kroner ($28.50). Thereis no annual fee. at Slashdot. 2015-09-04 03:42 samzenpus Lasrick writes: Many legislators regularly deny that there is a scientific consensus, or even broad scientific support, for government action to address climate change. Researchers recently assessed the content of congressional testimony related to either global warming or climate change from 1969 to 2007. For each piece of testimony, they recorded several characteristics about how the testimony discussed climate. For instance, noting whether the testimony indicated that global warming or climate change was happening and whether any climate change was attributable (in part) to anthropogenic sources. The results: Testimony to Congress—even under Republican reign—reflects the scientific consensus that humans are changing our planet's climate. at Slashdot. 2015-09-04 02:59 samzenpus 1sockchuck writes: New projects are seeking to connect the unwired world using balloons, drones, lasers and satellites to deliver wireless Internet.There are dueling low-earth orbit satellite initiatives backed by billionaires Elon Musk (SpaceX) and Richard Branson (OneWeb), while Google's Project Loon is using balloons (which sometimes crash) and Facebook is building a solar-powered UAV (Project Aquila). “The Connectivity Lab team is very focused on the technical challenges of reaching those people who are typically in the more rural, unconnected parts of the world,” Jay Parikh, vice president of engineering at Facebook says. “I think that we need to get them access. My hope is that we are able to deliver a very rich experience to them, including videos, photos and—some day—virtual reality and all of that stuff. But it’s a multi-, multi-, multi-year challenge, and I don’t see any end in sight right now.” at Slashdot. 2015-09-04 02:15 samzenpus ckwu writes: A steel mesh with a novel self-cleaning coating can separate oil and water, easily lifting oil from an oil-water mixture and leaving the water behind. Unlike existing oil-waterseparation membranes, if the coated mesh gets contaminated with oil, it can be simply rinsed off with water and reused, without needing to be cleaned with detergents. The team was able to use the mesh to lift crude oil from a crude oil-seawater mixture, showcasing the feasibility of oil-spill cleanup. The membrane could also be used to treat oily wastewater and as a protective barrier in industrial sewer outlets to avoid oil discharge. at Slashdot. 2015-09-04 01:31 Soulskill Ewan Palmer reports: A teenage boy in the UK has had a crime of making and distributing indecent images recorded against him after he sent a naked picture of himself to one of his female classmates. The 14-year-old was not formally arrested after he sent the explicit image to a girl of the same age via Snapchat. The police file against the boy will now remain active for 10 years, meaning any future employer conducting an advanced Criminal Records Bureau check will be aware of the incident. However, it is not clearwhether a police file was recorded for the girl who saved and shared the image. Under new legislation, if she had been over 18, the girl could have been convicted under the so called 'revenge porn' law in the UK. at Slashdot. 2015-09-04 00:50 Soulskill Zothecula writes: Working with a team of UCLA scientists, a man with protracted and complete paralysis has recovered sufficient voluntary control to take charge of a bionic exoskeleton and take many thousands of steps. Using a non-invasive spinal stimulation system that requires no surgery, this is claimed (abstract) to be the first time that a person with such a comprehensive disability has been able to actively and voluntarily walk with such a device. at Slashdot. 2015-09-04 00:08 Soulskill HughPickens.com writes: Gregory Meyer reports at the Financial Times that electricity generated by U.S. wind farms fell 6 per cent in the first half of the year, even as the nation expanded wind generation capacity by 9 per cent. The reason was someof the softest air currents in 40 years, cutting power sales from wind farms to utilities. The situation is likely to intensify into the first quarter of 2016 as the El Niño weather phenomenon holds back wind speeds around much of the U.S. "We never anticipated a drop-off in the wind resource as we have witnessed over the past six months," says David Crane. Wind generated 4.4 per cent of US electricity last year, up from 0.4 per cent a decade earlier. But this year U.S. wind plants' "capacity factor" has averaged just a third of their total generating capacity, down from 38 per cent in 2014. EIA noted that slightly slower wind speeds can reduce output by a disproportionately large amount. "Capacity factors for wind turbines are largely determined by wind resources," says a report from the Energy Information Administration. "Because the output from a turbine varies nonlinearly with wind speed, small decreases in wind speeds can result in much larger changes in output and, in turn,capacity factors." In January of 2015, wind speeds remained 20 to 45 percent below normal on areas of the west coast, but it was especially bad in California, Oregon, and Washington, where those levels dropped to 50 percent below normal during the month of January. at Slashdot. 2015-09-03 23:22 Soulskill szczys writes: Laser cutters are awesome, but you have to bring your mechanical engineering A-game if you want to build resilient stuff using laser-cut parts. Joshua Vasquez has been building up his bag of tricks using Delrin and a laser cutter to build with techniques like press-fitting, threading, snap-fits, etc. that aren't possible or are non-ideal with the laser-cutting steadfasts of plywood and acrylic. Delrin (PDF) won't shatter like acrylic, and it has more give to it, so even the less precise entry-level lasers can cut joints that will have a snug fit. at Slashdot. 2015-09-03 22:38 Soulskill An anonymous reader writes: A pioneer in the field of acoustics, Dr. James L. Flanaganprovided "the technical foundation for speech recognition, teleconferencing, MP3 music files, and the more efficient digital transmission of human conversation." The NYTimes covered his recent passing: "His innovations included preserving the sound of a human voice while crunching it digitally, as well as teaching computers to articulate — converting sound waves into digital pulses. He also helped devise a 'force-feedback' tactile glove, similar to today’s video game accessories, that enabled medical students to simulate hands-on examinations when a live patient or cadaver was not available (or to mimic a game of handball). Dr. Flanagan also played a minor role in the drama surrounding the downfall of President Richard M. Nixon." An older (2005) article from IEEE Spectrum titled "Sultan of Sound" provides background on his work and impact. An interview (1997) discussing his WWII service, research at AT&T Bell Labs & Rutgers University is part of the IEEE oral history series. atSlashdot. 2015-09-03 21:55 Soulskill itwbennett writes: We've previously discussed the dearth of women in computing. Indeed, according to U.S. Bureau and Labor Statistics estimates, in 2014 four out of five programmers and software developers in the U.S. were men. But according to a survey conducted this spring by the Application Developers Alliance and IDC, that may be changing. The survey of 855 developers worldwide found that women make up 42% of developers with less than 1 year of experience and 30% of those with between 1 and 5 years of experience. Of course, getting women into programming is one thing; keeping them is the next big challenge. at Slashdot. 2015-09-03 21:12 Soulskill An anonymous reader writes: The Naegleria fowleri amoeba typically feeds on bacteria in water and soil. Human digestive systems have no problem killing it, but inhaling water that carries the amoeba gives it the opportunity to work its way into the brain after it sneaks through the nasal mucus. Ithappens rarely, but 97% of people whose brains start swelling because of this amoeba end up dying. Like most microorganisms, N. fowleri can be neutralized with concentrated chlorine. However, the systems we use to deliver tap water aren't so clean. Researchers found that N. fowleri can easily survive for 24 hours when it's mixed with the types of biofilm that tend to reside in water pipes. Increasing chlorine levels isn't a good option, since its reaction with these biofilms can generate carcinogens. at Slashdot. 2015-09-03 20:30 Soulskill sciencehabit writes: Earth today supports more than 3 trillion trees—eight times as many as we thought a decade ago. But that number is rapidly shrinking, according to a global tree survey released today (abstract). We are losing 15 billion trees a year to toilet paper, timber, farmland expansion, and other human needs. So even though the total count is large, the decline is "a cause for concern," says Tom Spies, a forest ecologist with the U.S.Forest Service in Corvallis, Oregon, who was not involved with the work. at Slashdot. 2015-09-03 19:48 Soulskill An anonymous reader writes: Five years ago, the city of Salisbury, North Carolina began a project to roll out fiber across its territory. They decided to do so because the private ISPs in the area weren't willing to invest more in the local infrastructure. Now, Salisbury has announced that it's ready to make 10 Gbps internet available to all of the city's residents. While they don't expect many homeowners to have a use for the $400/month 10 Gbps plan, they expect to have some business customers. "This is really geared toward attracting businesses that need this type of bandwidth and have it anywhere they want in the city." Normal residents can get 50 Mbps upstream and downstream for $45/month. A similar service was rolled out for a rural section of Vermont in June. Hopefully these cities will serve as blueprints for other locations that aren't able to get a decent fiberidea. What results: an imprecise rendering as both stagger in a creaky lockstep, heading toward the grabbling, flailing arms of ecstasy." 2015-09-04 05:48 You can take the psychedelic drug guru out of the jungle, but can you take the jungle out of the psychedelic drug guru? 2015-09-04 05:48 In continuing to tinker with the universe she built eight years after it ended, JK Rowling might be falling into the same trap as Star Wars’ George Lucas. 2015-09-04 05:48 Have you ever p-phubbed? You know, snubbed your partner by checking your phone during your date? Or leaving your iPhone out within reach while you’re on the sofa snogging? Now two researchers say there’s strong evidence that your p-phubbing is wrecking your relationships and making you depressed. 2015-09-04 04:29 A new survey from Pew Research shows that "millennial" isn't really how millennials see themselves. Pew asked respondents to identify the generation with which each identified, and sorted them by their "actual"generation. Millennials were less likely than other groups to identify as their "correct" generation. 2015-09-04 04:29 To help feed billions of people, scientists braved the snake-infested and croc-filled swamps of northern Australia in search of rice. 2015-09-04 04:26 There is no better way to grasp the enormity of space than hitching a ride on a photon from the Sun. Take an hour, and just let the sheer vastness of our universe sink in. And this video stops at Jupiter. 2015-09-04 03:55 Hours after resigning his post as the president of Guatemala, Otto Pérez Molina, a former general and the nation’s most powerful man, was sent to jail to await the conclusion of an evidentiary hearing into his role in a multimillion dollar customs fraud. 2015-09-04 03:42 The amount of mental clarity — and number of takes — this requires hurts our head. 2015-09-04 03:19 To what extent are the uniquely human elements of our lives, things not reproducible by mechanical or technical substitutes, the resultof spontaneous or unplanned experience? Such experience, whatever we think of it, is made possible by the arts of give-and-take that we learn in the physical presence of human beings. 2015-09-04 03:19 Journalist detentions and rewards for informants: Turkey goes 1984. 2015-09-04 03:19 Today the company rolled out a new version of Chrome with further improvements oriented around performance, and they promise to make life easier for laptop warriors who regularly find themselves with dozens of open tabs (ahem). 2015-09-04 03:19 Upon the release of Chvrches’ “Leave A Trace” video last month, Mayberry’s insistence on her individuality came under fire. The notoriously vile online community 4chan began a thread about her attire in the clip and tweeted it at her. 2015-09-04 02:42 Hey! Stand still! We're trying to watch a documentary about jellyfish! 2015-09-04 02:16 Given the muted elegance of the product — the delicacy of its drape, the coziness of its texture, the cool of its blue — it wasinevitable that the fashion system should snap up the chambray shirt and recontextualize its appeal. 2015-09-04 02:16 @Possible_Urban_King was a top-notch redditor with an uncanny sense for what people like to read about. He wasn’t real, of course — but the algorithm he used could have implications for newsrooms and beyond. 2015-09-04 02:16 Should you head out the door for a 30-minute run or a 3-miler? If you train for a marathon, are you working up to a 26-mile run or to a certain number of hours? You can plan your workouts by time or distance, but each has its advantages. Here’s how to decide. 2015-09-04 02:16 Some people see threats even when none are present. Strangely, it can make them more creative. 2015-09-04 01:28 When it comes to true crime, women are often both victim and audience. Why are female readers drawn to tales of their own destruction? 2015-09-04 01:09 Where do fish go in a storm? It’s a weird question to ask, but think about it: just because fish are wet all thetime doesn’t mean a rainstorm has no effect. 2015-09-04 01:09 "Fran Hoepfner is an adult. She began dating at the age of 17 in her hometown of Mount Prospect, Illinois. Her earlier relationships were defined by proximity and convenience and a taste for chubby male musicians who let her call the shots." 2015-09-04 01:09 Megan Kelly, a 24-year-old project manager for a marketing company in Pittsburgh, is not former attorney and current Fox News personality Megyn Kelly. But unfortunately for Megan-with-an-“a”, the furious pro-Trump supporters who keep sending her emails seem to disagree. 2015-09-04 01:09 High-tech armored suits that track damage are donned by the world's best martial artists and weapons masters while sports commentators give us blow-by-blow action. Welcome to the ring. 2015-09-04 00:33 French prosecutors said on Thursday that further analysis of a piece of an airplane wing that washed up on a remote Indian Ocean island had allowed investigators here to determine “withcertitude” that it came from Malaysia Airlines Flight 370, which disappeared in March 2014 with 239 people on board. 2015-09-03 23:59 Why is the school year almost always limited to 180 days? And why do most schools still operate on an agrarian calendar with a huge 12-week break in the middle? For parents, summer break often means expensive extracurriculars and an incredibly inconvenient schedule. 2015-09-03 23:59 Automatic faucets, toilets, paper towel dispensers — all super convenient, until they inevitably break. 2015-09-03 23:59 Nicholas Fraser is a 21-year-old college student living in Queens, N.Y. and earlier this month, he created a Vine that could, potentially, be the Song of the Summer. 2015-09-03 23:59 Thanks to online resources like Ancestry.com, tracing your family tree has never been easier. Which means it has never been easier to discover skeletons hidden in the family closet — obscure distant relatives; long-held secrets; a mass murderer. 2015-09-03 23:34 The Dutch tiltis one of film's best tools for making the viewer feel anxious and uneasy without knowing exactly why. Fandor took the time to take compile a variety of shots from movie history in order, from the faintest of angles to the full 90-degree flip of "2001: A Space Odyssey." 2015-09-03 22:57 The site's egalitarian structure and the political leanings of its user base match up nicely with the philosophy and policies driving Sanders' candidacy. And a lot of it is thanks to a few dedicated armchair organizers who created and oversee the community. 2015-09-03 22:57 From the New York Times to the Santa Cruz Sentinel and Associated Press, journalists did their best to define this bubbling subculture that was no longer seen as just a fad. (This was a glorious time if you loved scare quotes.) 2015-09-03 22:57 The blog Digital Week says it had to cough up $868.39 for using the image of the penguin, which was shot by George Mobley by National Geographic. Getty handles the photo’s licensing.2015-09-03 22:20 We did not change this headline at all, and for that we'd like to say great job NPR Skunk Bear. Birds should know their place. 2015-09-03 22:19 Signing the Republican loyalty pledge shatters the independent image that is the key to his appeal — and that's not all. 2015-09-03 22:19 Will recording every spoken word help or hurt us? 2015-09-03 21:56 Can the DMV start using this to get student drivers off the road? 2015-09-03 21:44 Most letters are ink or pixels, static in their existence. The letters Ori Elisar creates, however, are not. 2015-09-03 21:44 Ninth Circuit Solicitor Scarlett Wilson announced Thursday that her office will seek the death penalty for Dylann Roof — the 21-year-old accused of killing nine people in a historic black South Carolina church in June. 2015-09-03 21:44 Compared to previous generations, studies report, we’ve been sleeping less and less every year. And that is making us “more likely to suffer from chronic diseases such as hypertension,diabetes, depression, and obesity, as well as from cancer, increased mortality, and reduced quality of life and productivity.” It sounds terrifying, but it’s probably not true. 2015-09-03 21:19 Since the Supreme Court's ruling legalizing gay marriage nationwide, Kim Davis, a Kentucky county clerk, has refused to issue marriage licenses to gay couples. On Thursday, she was taken into custody after being held in contempt of court — here's a primer on what's going on. 2015-09-03 20:50 “What rap did that was impressive was to show there are so many tone-deaf people out there,” Keith Richards says. “All they need is a drum beat and somebody yelling over it and they’re happy. There’s an enormous market for people who can’t tell one note from another.” 2015-09-03 20:39 From public school to gastropub to makerspace. 2015-09-03 20:39 In this country, we celebrate the First Amendment, which prevents the government from interfering with religious beliefs and practices. But what if those beliefsand practices make children suffer? 2015-09-03 20:39 How Sophie’s has managed to survive for over 100 years. 2015-09-03 20:39 Last one to exascale is a second-rate world power. 2015-09-03 20:39 If this is what life is like with Neil deGrasse Tyson, count us out. 2015-09-03 20:02 On Thursday morning, a judge struck down the 4-game sentence imposed on the New England Patriots' Tom Brady by the NFL for his role in DeflateGate, the latest development in the ridiculous controversy that has plagued the league since last January. Here's a primer on what's happened, and what's going on now. 2015-09-03 19:59 A look at the life and career of Irene Bergman — the 100-year-old woman who still works as an investment adviser and manages clients down on Wall Street. 2015-09-03 19:44 Jeb Bush decided to raffle off a ticket to Stephen's premier show... without asking if that was OK. So as one giant middle finger, Stephen is holding his own, markedly better raffle. Proceeds go to injured veterans.2015-09-03 19:31 Even from the perspective of a profit-seeking artist, copyright is a double-edged sword. Stronger copyright both increases the rewards from having produced a piece of work and increases the cost of creating new works. 2015-09-03 19:31 During last weekend’s preseason St. Louis Rams game, a familiar ritual played out: With a stadium full of fans and a television audience watching, Rams cheerleader Candace Ruocco Valentine was surprised by the arrival of her husband August Valentine, a Marine Corps first lieutenant, who had just returned home from service abroad. 2015-09-03 19:31 St. Augustine, Florida, was the first city founded by European settlers in North America. 2015-09-03 19:31 While biology shows us gender can be fluid, our brains struggle to see it that way. 2015-09-03 19:17 He was a political operative who once debated a cardboard cutout of the Democratic governor of New Hampshire to protest tax rates. And he was a congressional aide who was arrested after hecomponents. But what about non-obvious characteristics, such as the availability of acceleration? "" [] 6:44 04.09.2015 6:44 09.04.2015 6:44 09.04.2015 6:44 04.09.2015 6:44 09.04.2015 04.09.2015 06 : 44 09/04/2015 04/09/2015 6:44 04/09/2015 6:44 6:44 04.09.2015 6:28 09.04.2015 5:40 04.09.2015 4:40 2015-09-04 04:40 2015-09-04 04:40 2015-09-04 04:40 2015-09-04 04:40 2015-09-04 04:01 2015-09-04 03:36 2015- 09-04 02:56 2015-09-04 02:56 2015-09-04 02:32 2015-09-04 01:52 2015-09-04 01:52 2015-09-04 01:52 2015-09- 1:52 04/09/2015 1:52 04 04.09.2015 1:52 04.09.2015 1:28 09.04.2015 1:16 09.04.2015 00:48 04.09.2015 00 : 44 04/09/2015 00:32 09.04.2015 00:32 09.04.2015 00:16 09.04.2015 00:16 09.04.2015 00:12 04.09.2015 00:12 2015-09-04 00:12 2015-09-04 00:12 2015-09-04 00:12 2015-09-04 00:12 2015-09-04 00:12 2015-09-04 00:12 2015- 09-04 00:12 2015-09-04 00:12 2015-09-03 23:44 2015-09-03 23:44 2015-09-03 23:44 2015-09-03 23:44 2015-09- 03 23:44 09.03.2015 23:44 09.03.2015 23:44 03.09.2015YAML parsing, Markdown output formatting, caching and others to round out the application but Slim was at the heart of it. He ends the post by pointing out that taking this lightweight approach was a perfect fit for his project and that, while there were other choices, Slim fit his needs best. 2015-09-03 18:48 The latest episode of the Laravel Podcast, hosted by Matt Stauffer with guests Jeffrey Way and Taylor Otwell, has been posted - Episode #34: In this episode, Matt and Taylor are joined by Ian Landsman of UserScape. Ian is the founder of UserScape, the creator of HelpSpot, and the man behind LaraJobs. The crew discusses hiring, being a good job candidate, and most importantly: Star Wars. You can listen to this latest episode either through the or by . If you enjoy the show, be sure to or for more information about the show and future episodes. 2015-09-03 17:49 Here's what was popular in the PHP community one year ago today: Новости от ""      [ ] 2015-09-03 18:08 Китайская

endpoint security default password     endpoint security by bitdefender cannot be successfully installed

TAGS

CATEGORIES