interest Interest subsidy scheme for exporters extended for 2 months for MSMEs By www.thehindubusinessline.com Published On :: Fri, 28 Jun 2024 20:33:05 +0530 Claims of non-MSME exporters not to be entertained beyond June 30, 2024, says DGFT Full Article MSME
interest Govt extends interest equalisation scheme for exporters till September 30 By www.thehindubusinessline.com Published On :: Wed, 04 Sep 2024 12:49:16 +0530 This extension aims to promote the country’s outbound shipments and provide exporters with interest benefits. Full Article Policy
interest Need clear laws, standard operating procedures to protect workers, manufacturers' interests: GTRI By www.thehindubusinessline.com Published On :: Sun, 06 Oct 2024 15:37:13 +0530 Amid the ongoing Samsung workers’ strike in Tamil Nadu, economic think tank GTRI suggests seven-step strategy to foster a more stable industrial environment in the country Full Article Policy
interest Are These the Most Interesting Front-end Developer Tools for 2021? By www.impressivewebs.com Published On :: Tue, 05 Jan 2021 09:47:31 +0000 When I come to the end of any given year, it’s always interesting to look back through the click-through stats for my weekly newsletter Web Tools Weekly to see which tools got the most attention. This year wasn’t all that different from previous years. I’ve learned that clicks happen for basically one of two reasons: The post Are These the Most Interesting Front-end Developer Tools for 2021? appeared first on Impressive Webs. Full Article Roundups and Resources
interest Interesting, but only in parts By www.thehindubusinessline.com Published On :: Sun, 29 Aug 2021 20:33:39 +0530 The profiling of 25 BITSians follows a templated style Full Article Books
interest Sensex, Nifty fall over 1 %, snap two-day rally ahead of U.S. Fed interest rate decision By www.thehindu.com Published On :: Thu, 07 Nov 2024 16:32:07 +0530 Stock markets tumble over 1% as investors await U.S. Fed decision, with Sensex and Nifty dropping significantly Full Article Markets
interest Five Interesting Ways to Use Array.reduce() (And One Boring Way) By 24ways.org Published On :: Wed, 18 Dec 2019 12:00:00 +0000 Chris Ferdinandi turns the heat down low and lets the sauce reduce while we take a look at how to add spice to our source with a sprinkling of Array.reduce(). Just a little ingenuity with the humblest of functions. Of all the modern array methods, the one I had the hardest time wrapping my head around was Array.reduce(). On the surface, it seems like a simple, boring method that doesn’t do much. But below its humble exterior, Array.reduce() is actually a powerful, flexible addition to your developer toolkit. Today, we’re going to look at some cool things you can do with Array.reduce(). How Array.reduce() works Most of the modern array methods return a new array. The Array.reduce() method is a bit more flexible. It can return anything. Its purpose is to take an array and condense its content into a single value. That value can be a number, a string, or even an object or new array. That’s the part that’s always tripped me up – I didn’t realize just how flexible it is! The syntax The Array.reduce() accepts two arguments: a callback method to run against each item in the array, and a starting value. The callback also accepts two arguments: the accumulator, which is the current combined value, and the current item in the loop. Whatever you return is used as the accumulator for the next item in the loop. On the very first loop, that starting value is used instead. var myNewArray = [].reduce(function (accumulator, current) { return accumulator; }, starting); Let’s look at some examples to make this all tangible. 1. Adding numbers together Let’s say you had an array of numbers that you wanted to add together. Using Array.forEach(), you might do something like this: var total = 0; [1, 2, 3].forEach(function (num) { total += num; }); This is the cliche example for using Array.reduce(). I find the word accumulator confusing, so in this example, I’m calling it sum, because that’s what it is. var total = [1, 2, 3].reduce(function (sum, current) { return sum + current; }, 0); Here, we pass in 0 as our starting value. In the callback, we add the current value to the sum, which has our starting value of 0 on the first loop, then 1 (the starting value of 0 plus the item value of 1), then 3 (the sum value of 1 plus the item value of 2), and so on. Here’s a demo. 2. Combining multiple array methods into Array.map() and Array.filter() into a single step Imagine you had an array of wizards at Hogwarts. var wizards = [ { name: 'Harry Potter', house: 'Gryfindor' }, { name: 'Cedric Diggory', house: 'Hufflepuff' }, { name: 'Tonks', house: 'Hufflepuff' }, { name: 'Ronald Weasley', house: 'Gryfindor' }, { name: 'Hermione Granger', house: 'Gryfindor' } ]; You want to create a new array that contains just the names of wizards who are in Hufflepuff. One way you could do that is by using the Array.filter() method to get back just wizards whose house property is Hufflepuff. Then, you’d use the Array.map() method to create a new array containing just the name property for the remaining wizards. // Get the names of the wizards in Hufflepuff var hufflepuff = wizards.filter(function (wizard) { return wizard.house === 'Hufflepuff'; }).map(function (wizard) { return wizard.name; }); With the Array.reduce() method, we can get the same array in a single pass, improving our performance. You pass in an empty array ([]) as the starting value. On each pass, you check to see if the wizard.house is Hufflepuff. If it is, you push it to the newArr (our accumulator in this example). If not, you do nothing. Either way, you return the newArr to become the accumulator on the next pass. // Get the names of the wizards in Hufflepuff var hufflepuff = wizards.reduce(function (newArr, wizard) { if (wizard.house === 'Hufflepuff') { newArr.push(wizard.name); } return newArr; }, []); Here’s another demo. 3. Creating markup from an array What if, instead of creating an array of names, we wanted to create an unordered list of wizards in Hufflepuff? Instead of passing an empty array into Array.reduce() as our starting value, we’ll pass in an empty string ('') and call it html. If the wizard.house equals Hufflepuff, we’ll concatenate our html string with the wizard.name wrapped in an opening and closing list item (li). Then, we’ll return the html to become the accumulator on the next loop. // Create a list of wizards in Hufflepuff var hufflepuffList = wizards.reduce(function (html, wizard) { if (wizard.house === 'Hufflepuff') { html += '<li>' + wizard.name + '</li>'; } return html; }, ''); Add an opening and closing unordered list element before and after Array.reduce(), and you’re ready to inject your markup string into the DOM. // Create a list of wizards in Hufflepuff var hufflepuffList = '<ul>' + wizards.reduce(function (html, wizard) { if (wizard.house === 'Hufflepuff') { html += '<li>' + wizard.name + '</li>'; } return html; }, '') + '</ul>'; See it in action here. 4. Grouping similar items in an array together The lodash library has a groupBy() method takes a collection of items as an array and groups them together into an object based on some criteria. Let’s say you want an array of numbers. If you wanted to group all of the items in numbers together based on their integer value, you would do this with lodash. var numbers = [6.1, 4.2, 6.3]; // returns {'4': [4.2], '6': [6.1, 6.3]} _.groupBy(numbers, Math.floor); If you had an array of words, and you wanted to group the items in words by their length, you would do this. var words = ['one', 'two', 'three']; // returns {'3': ['one', 'two'], '5': ['three']} _.groupBy(words, 'length'); Creating a groupBy() function with Array.reduce() You can recreate that same functionality using the Array.reduce() method. We’ll create a helper function, groupBy(), that accepts the array and criteria to sort by as arguments. Inside groupBy(), we’ll run Array.reduce() on our array, passing in an empty object ({}) as our starting point, and return the result. var groupBy = function (arr, criteria) { return arr.reduce(function (obj, item) { // Some code will go here... }, {}); }; Inside the Array.reduce() callback function, we’ll check to see if the criteria is a function, or a property of the item. Then we’ll get its value from the current item. If there’s no property in the obj with that value yet, we’ll create it and assign an empty array as its value. Finally, we’ll push the item to that key, and return the object as the accumulator for the next loop. var groupBy = function (arr, criteria) { return arr.reduce(function (obj, item) { // Check if the criteria is a function to run on the item or a property of it var key = typeof criteria === 'function' ? criteria(item) : item[criteria]; // If the key doesn't exist yet, create it if (!obj.hasOwnProperty(key)) { obj[key] = []; } // Push the value to the object obj[key].push(item); // Return the object to the next item in the loop return obj; }, {}); }; Here’s a demo of the completed helper function. Special thanks to Tom Bremer for helping me make some improvements to this one. You can find this helper function and more like it on the Vanilla JS Toolkit. 5. Combining data from two sources into an array Remember our array of wizards? var wizards = [ { name: 'Harry Potter', house: 'Gryfindor' }, { name: 'Cedric Diggory', house: 'Hufflepuff' }, { name: 'Tonks', house: 'Hufflepuff' }, { name: 'Ronald Weasley', house: 'Gryfindor' }, { name: 'Hermione Granger', house: 'Gryfindor' } ]; What if you had another data set, an object of house points each wizard has earned. var points = { HarryPotter: 500, CedricDiggory: 750, RonaldWeasley: 100, HermioneGranger: 1270 }; Imagine you wanted to combine both sets of data into a single array, with the number of points added to each wizard’s data in the wizards array. How would you do it? The Array.reduce() method is perfect for this! var wizardsWithPoints = wizards.reduce(function (arr, wizard) { // Get the key for the points object by removing spaces from the wizard's name var key = wizard.name.replace(' ', ''); // If the wizard has points, add them // Otherwise, set them to 0 if (points[key]) { wizard.points = points[key]; } else { wizard.points = 0; } // Push the wizard object to the new array arr.push(wizard); // Return the array return arr; }, []); Here’s a demo combining data from two sources into an array. 6. Combining data from two sources into an object What if you instead wanted to combine the two data sources into an object, where each wizard’s name was the key, and their house and points were properties? Again, the Array.reduce() method is perfect for this. var wizardsAsAnObject = wizards.reduce(function (obj, wizard) { // Get the key for the points object by removing spaces from the wizard's name var key = wizard.name.replace(' ', ''); // If the wizard has points, add them // Otherwise, set them to 0 if (points[key]) { wizard.points = points[key]; } else { wizard.points = 0; } // Remove the name property delete wizard.name; // Add wizard data to the new object obj[key] = wizard; // Return the array return obj; }, {}); Here’s a demo combining two data sets into an object. Should you use Array.reduce() more? The Array.reduce() method has gone from being something I thought was pointless to my favorite JavaScript method. So, should you use it? And when? The Array.reduce() method has fantastic browser support. It works in all modern browsers, and IE9 and above. It’s been supported in mobile browsers for a long time, too. If you need to go back even further than that, you can add a polyfill to push support back to IE6. The biggest complaint you can make about Array.reduce() is that it’s confusing for people who have never encountered it before. Combining Array.filter() with Array.map() is slower to run and involves extra steps, but it’s easier to read. It’s obvious from the names of the methods what they’re supposed to be doing. That said, there are times where Array.reduce() makes things that would be complicated more simple rather than more complicated. The groupBy() helper function is a good example. Ultimately, this is another tool to add to your toolkit. A tool that, if used right, can give you super powers. About the author Chris Ferdinandi helps people learn vanilla JavaScript. He believes there’s a simpler, more resilient way to make things for the web. Chris is the author of the Vanilla JS Pocket Guide series, creator of the Vanilla JS Academy training program, and host of the Vanilla JS Podcast. His developer tips newsletter is read by thousands of developers each weekday. He’s taught developers at organizations like Chobani and the Boston Globe, and his JavaScript plugins have been used used by Apple and Harvard Business School. Chris Coyier, the founder of CSS-Tricks and CodePen, has described his writing as “infinitely quote-worthy.” Chris loves pirates, puppies, and Pixar movies, and lives near horse farms in rural Massachusetts. He runs Go Make Things with Bailey Puppy, a lab-mix from Tennessee. More articles by Chris Full Article Code javascript
interest KSRTC directed to return penal interest deducted from retirement benefit By www.thehindu.com Published On :: Sun, 10 Nov 2024 07:00:00 +0530 Full Article Mangaluru
interest Interest subsidy to be provided only once for a property under PMAY-U 2.0 By www.thehindubusinessline.com Published On :: Sun, 13 Oct 2024 18:43:29 +0530 Affordable housing transactions could be impacted due to clause Full Article Real Estate
interest Housing loan growth slows as interest rates and property prices surge By www.thehindubusinessline.com Published On :: Wed, 23 Oct 2024 18:24:49 +0530 Recent data from the RBI on gross bank credit by major sectors shows that the year-on-year growth in housing loans was 13.1 per cent in August 2024, a steep drop from 40.5 per cent in August 2023. Full Article Data Focus
interest Hyderabad man loses ₹1.73 lakh trying to get 0% interest loan on insurance policy worth ₹10 lakh By www.thehindu.com Published On :: Fri, 08 Nov 2024 18:29:42 +0530 Full Article Telangana
interest Bank of England cuts interest rates, sees inflation hike after Reeves' budget By www.thehindubusinessline.com Published On :: Thu, 07 Nov 2024 18:00:22 +0530 Bank of England cuts interest rates to 4.75 per cent from 5 per cent Full Article Economy
interest Investor interest surges as ₹27,000 crore of Sovereign Gold Bonds purchased in FY24, reveals RBI report By www.thehindubusinessline.com Published On :: Fri, 31 May 2024 09:18:45 +0530 The surge in investments can be attributed to the prospects of higher returns, tax benefits, and the bonds’ exemption from capital gains tax. Full Article Gold & Silver
interest As prices soften, festival period triggers buying interest in gold jewellery By www.thehindubusinessline.com Published On :: Mon, 09 Sep 2024 19:12:05 +0530 Sales up 20% during Ganesh Chathurthi, wedding demand could buoy demand for the precious metal further Full Article Gold & Silver
interest Losing interest in small savings? By www.thehindubusinessline.com Published On :: Sun, 30 Jul 2017 22:30:12 +0530 With prompt quarterly revisions in interest rates, small savings schemes are getting unattractive in the current scenario. What are investors doing about it? Full Article People
interest The Zone of Interest Review By www.rediff.com Published On :: Sat, 02 Mar 2024 12:18:47 +0530 The Zone Of Interest is technically flawless but lacks emotional pull, observes Mayur Sanap. Full Article
interest Interested in stocks? Watch Scam 1992! By www.rediff.com Published On :: Thu, 22 Oct 2020 14:54:00 +0530 The insatiable greed for money and power is too large, too repugnant to thwart.And no one epitomised that better than Harshad Mehta, notes Dhruv Munjal. Full Article Hansal Mehta Harshad Mehta Pratik Gandhi The Times of India IMAGE Satish Kaushik Shreya Dhanwanthary Bachchan State Bank of India Instagram Bombay Stock Exchange Debashis Basu Kapil Dev Albert Einstein Dhruv Munjal Sharib Hashmi
interest Watching The Rich Is So Uninteresting By www.rediff.com Published On :: Tue, 22 Oct 2024 11:22:28 +0530 Bring me the mundane lives of the working class next. At least, it won't be as embarrassing as this, asserts Mayur Sanap. Full Article Seema Sajdeh Kalyani Saha Chawla Neelam Kothari Soni Bollywood Wives Shalini Passi Riddhima Kapoor Sahni Karan Johar Saif Ali Khan Bhavana Panday Mayur Sanap Maheep Kapoor Ranbir Kapoor Gauri Khan Ekta Kapoor Fabulous Lives Delhi
interest Sharing a common interest By www.thehindu.com Published On :: Wed, 23 May 2012 18:16:12 +0530 Full Article Chennai
interest 630 entrepreneurs evince interest in setting up poultry units By www.thehindu.com Published On :: Sun, 25 Nov 2012 11:19:24 +0530 Perambalur district allocated Rs.2.85 crore subsidy for poultry development Full Article Tiruchirapalli
interest Clash of rivals: Ad interest high for India-Pak T20 World Cup tie By www.thehindubusinessline.com Published On :: Sat, 08 Jun 2024 19:07:13 +0530 Inventory for the match nearly sold out; pubs and restaurants anticipate rich pickings Full Article Variety
interest How to set up a Google alert on subjects that interest you By www.thehindu.com Published On :: Sat, 02 Nov 2024 13:43:43 +0530 Instead of you trawling the web for information, a Google Alert can bring your interests straight to your inbox Full Article Technology
interest Rajasthan Rajya Vidyut Prasaran Nigam Ltd - Compliances-Reg. 60 (2) - Record Date - interest /dividend / redemption /repayment By www.thehindubusinessline.com Published On :: Wed, 07 Aug 2019 10:45:51 +0530 Full Article Others
interest Rajasthan Rajya Vidyut Prasaran Nigam Ltd - Compliances-Reg. 50 (1) - Prior intimation for Interest Payment / Redemption By www.thehindubusinessline.com Published On :: Wed, 07 Aug 2019 10:53:43 +0530 Full Article Others
interest Music Broadcast Ltd - Compliances-Reg. 50 (1) - Prior intimation for Interest Payment / Redemption By www.thehindubusinessline.com Published On :: Wed, 07 Aug 2019 11:03:51 +0530 Full Article Others
interest National Highways Authority Of India - Compliances-Reg. 60 (2) - Record Date - interest /dividend / redemption /repayment By www.thehindubusinessline.com Published On :: Wed, 07 Aug 2019 11:06:10 +0530 Full Article Others
interest Music Broadcast Ltd - Compliances-Reg. 60 (2) - Record Date - interest /dividend / redemption /repayment By www.thehindubusinessline.com Published On :: Wed, 07 Aug 2019 11:40:31 +0530 Full Article Others
interest Raheja Icon Entertainment Pvt Ltd - Compliances-Reg. 60 (2) - Record Date - interest /dividend / redemption /repayment By www.thehindubusinessline.com Published On :: Wed, 07 Aug 2019 11:47:53 +0530 Full Article Others
interest World Pickleball Championships will spur India’s growing interest in sport, say AIPA players By indianexpress.com Published On :: Thu, 07 Nov 2024 14:53:54 +0000 Full Article Sport Others Sports
interest Maharashtra elections: Why Gen Z seems disinterested By indianexpress.com Published On :: Wed, 30 Oct 2024 07:37:12 +0000 Full Article Columns Opinion
interest Investor interest in PE funds to heighten in post-virus world: Moonfare APAC head By www.dealstreetasia.com Published On :: Fri, 08 May 2020 00:50:32 +0000 Moonfare platform allows family offices, bankers and HNIs to access a curated range of private equity funds. The post Investor interest in PE funds to heighten in post-virus world: Moonfare APAC head appeared first on DealStreetAsia. Full Article Mathieu Forcioli Moonfare
interest Ppf interest By feedproxy.google.com Published On :: Sun, 10 May 2020 13:54:10 GMT Ppf interest exemption under which section? Full Article
interest Interest on Fd, paid by the bank and TDS deducted By feedproxy.google.com Published On :: Sun, 10 May 2020 15:22:23 GMT sir required help received statement from the bank for my FD's investments in the SBI bank, regarding Interest paid and TDS deducted , But unable to understand how to pass entries in the books of accounts,,------------------------------------------------------------ Full Article
interest Wondering What To Do In Home Alone? Here Are 13 Interesting Things You Can Choose From By www.boldsky.com Published On :: Mon, 04 May 2020 16:01:16 +0530 There must be times when you would have wished to stay alone at your home, relax and do some fun things. After all, who doesn't want to spend some ‘me-time'? There are actually many perks of being all alone by yourself Full Article
interest Kim Kardashian Has The Most Interesting Hairstyle For Girls With Thin Hair By www.boldsky.com Published On :: Tue, 05 May 2020 17:50:51 +0530 Kim Kardashian is looked upon as a quintessential beauty and fashion icon. The world has seen and admired the evolution of Kim Kardashian. Seeing her extravagant hair and make-up looks, we have applauded and been jealous. Kim Kardashian latest post on Full Article
interest On 30 Years Of Jagadeka Veerudu Athiloka Sundari, Sridevi’s Interesting Looks From The Film Decoded By www.boldsky.com Published On :: Sat, 09 May 2020 17:00:39 +0530 Sridevi and Chiranjeevi starrer Telugu film, Jagadeka Veerudu Athiloka Sundari was released on 9 May 1990 and it turned out to be a blockbuster. In the film, veteran actress Sridevi portrayed the role of Indraja, who was a celestial being Full Article
interest Securing China’s core interests: the state of the debate in China By feedproxy.google.com Published On :: Thu, 12 Mar 2015 10:59:55 +0000 12 March 2015 , Volume 91, Number 2 Jinghan Zeng, Yuefan Xiao and Shaun Breslin Full Article
interest Banks’ net interest income to rise over 20% y-o-y in Q4: Analysts By www.financialexpress.com Published On :: 2019-04-10T01:31:26+05:30 Even as banks see a rise in core income and a drop in fresh bad loans, they may see a fall in non-interest income, with treasury income falling sharply on a sequential basis. Full Article Banking & Finance Industry
interest Chinese Deep Panda Hackers Focus On Iraq Oil Interests By packetstormsecurity.com Published On :: Tue, 08 Jul 2014 11:58:10 GMT Full Article headline hacker china iraq
interest Sandy Graham on Living One of the Most Interesting Careers in the Music Business By www.canadianmusicianpodcast.com Published On :: Wed, 04 Sep 2019 17:00:00 +0000 On today’s podcast, we have Sandy Graham, the woman who has had maybe the most diverse and interesting career in the Canadian music business. Sandy is currently the owner and editor-in-chief of Cashbox Canada, but over her roughly 40 years in the industry, going back to when she was a teenager, she has been involved in nearly every segment of this industry and has been a true trailblazer. She began in music retail, before being one of the first women to work at a major label in Canada. She’s been a radio music director, a venue owner – including of the Legendary Horseshoe Tavern in Toronto – a music journalist, and she’s even a choreographer, having choreographed the first ever halftime show at the Sky Dome. Sandy is also an artist manager and festival organizer. Like we said, she’s been involved in everything and we’ve wanted to have her on the podcast for a while to tell her story and share some of the insights she has gained along the way. Full Article
interest Singapore’s ARA, tycoon John Lim buy 52.08% stake in crowdfunding platform Minterest By www.dealstreetasia.com Published On :: Tue, 05 May 2020 06:32:55 +0000 The deal marks ARA Asset Management's entry into the fintech sector. The post Singapore’s ARA, tycoon John Lim buy 52.08% stake in crowdfunding platform Minterest appeared first on DealStreetAsia. Full Article ARA ARA Asset Management Ltd John Lim John Lim Family Office
interest Indonesia to subsidise interest payments for virus-hit smaller firms By www.dealstreetasia.com Published On :: Wed, 29 Apr 2020 23:14:20 +0000 Small companies account for more than half of Indonesia's gross domestic product and provide many jobs in the country of more than 260 million people. The post Indonesia to subsidise interest payments for virus-hit smaller firms appeared first on DealStreetAsia. Full Article Sri Mulyani Indrawati
interest FO:Combine Open Interest across exchanges By feedproxy.google.com Published On :: Full Article
interest Keep Cherished Career with Online Degree Courses in Interested Way By feedproxy.google.com Published On :: When someone thinks to earn online degree, there are many motives generally running in his/her mind especially about their career. Nowadays, degree online has turned out to be very admired and large... Full Article
interest Low interest rates threaten solvency of pension funds and insurers By www.oecd.org Published On :: Tue, 23 Jun 2015 16:51:00 GMT The current low interest rate environment poses a significant risk for the long-term financial viability of pension funds and insurance companies, as they seek to generate sufficient returns to meet promises, according to a new OECD report. Full Article
interest Industry Self Regulation - Role and Use in Supporting Consumer Interests By www.oecd-ilibrary.org Published On :: Sun, 01 Mar 2015 16:14:00 GMT The report notes that industry self-regulation (ISR) can play an important role in addressing consumer issues, particularly when business codes of conduct and standards are involved. It draws on 23 case studies covering notably advertising, financial services, telecommunications, video games and software applications (apps), toys, and direct selling. Full Article
interest Low interest rates threaten solvency of pension funds and insurers By www.oecd.org Published On :: Tue, 23 Jun 2015 16:51:00 GMT The current low interest rate environment poses a significant risk for the long-term financial viability of pension funds and insurance companies, as they seek to generate sufficient returns to meet promises, according to a new OECD report. Full Article
interest Moving forward on climate: Looking beyond narrow interests - Insights blog By oecdinsights.org Published On :: Fri, 10 Nov 2017 16:47:00 GMT “National governments must take the lead and do so with a recognition that they are part of a global effort.” Speaking last week at the Munk School of Global Affairs in Toronto, OECD Secretary-General Angel Gurría urged countries not to retreat behind their national borders in dealing with climate change. Read the full blog. Full Article