red 5 tips to help you reduce cholesterol By www.rediff.com Published On :: Wed, 15 May 2024 16:48:52 +0530 While the causes for high cholesterol are many, there are simple ways to reduce it, says rediffGURU Dr Karthiyayani Mahadevan. Full Article
red 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
red A hundred hands By www.thehindu.com Published On :: Sat, 06 Aug 2016 16:44:28 +0530 Four women who work closely with traditional weavers talk about why the #IWearHandloom initiative is a start in recognising the importance of handlooms Full Article Metroplus
red Inspired by Persia, Indian in design By www.thehindu.com Published On :: Mon, 15 Aug 2016 16:44:17 +0530 Anjalee and Arjun Kapoor on their latest collection ‘Persian Flora’ and the importance of connecting with people and places Full Article Fashion
red Montblanc and Ferrari’s new pen is inspired by the carmaker’s iconic Daytona SP3 By www.thehindu.com Published On :: Mon, 20 Feb 2023 18:50:49 +0530 Montblanc has reimagined the limited edition fountain pen Montblanc Ferrari Stilema SP3 LE 599’s ink-filling mechanism behind a semi-translucent red blade Full Article Life & Style
red From techno-inspired rave bags to pants that depict neurons, this Chennai-based gender neutral fashion label’s creations are conversation starters By www.thehindu.com Published On :: Fri, 14 Apr 2023 17:03:21 +0530 Brimming with cut outs, panels, thread piping and embroidery, Biskit’s new collection explores the human mind Full Article Life & Style
red Just what your trainer ordered By www.thehindu.com Published On :: Tue, 08 Nov 2016 16:01:01 +0530 Healthy meal delivery services now have trainers and nutritionists on board to give clients the best of pre and post-workout food, writes SUSANNA MYRTLE LAZARUS Full Article Metroplus
red RBI slams high-cost lending, calls for affordable credit from Microfinance Institutions By www.thehindubusinessline.com Published On :: Thu, 24 Oct 2024 20:18:50 +0530 MFIs should not justify steep rates with access issues, says Jayant Kr Dash, Executive Director; Senior RBI official suggests Blended Finance could hold some answer for this issue Full Article Money & Banking
red Indian Bank posts 36% rise in Q2 net at ₹2,707 crore on the back of reduced slippages By www.thehindubusinessline.com Published On :: Mon, 28 Oct 2024 18:31:23 +0530 For the first half of the fiscal, the bank’s net profit exceeded ₹5,000 crore, totalling ₹5,110 crore, up from ₹3,697 crore Full Article Money & Banking
red Standard Chartered sets sights on economic hubs to drive affluent client growth By www.thehindubusinessline.com Published On :: Mon, 11 Nov 2024 21:01:03 +0530 The strategy is designed to tap into India’s burgeoning wealth market, with the high-net-worth (HNW) client base expected to soar from 0.7 million two years ago to 1.7 million by 2028 Full Article Money & Banking
red Reflections on Practice : Harm Reduction / directed by: Nettie Wild ; production agencies: British Columbia Centre for Disease Control. Street Nurse Program (Vancouver), National Film Board of Canada (Montreal) By darius.uleth.ca Published On :: Montreal : National Film Board of Canada, 2019 Full Article
red Undeclared emergency prevailing in A.P., says former AAG Sudhakar Reddy By www.thehindu.com Published On :: Sun, 10 Nov 2024 09:28:20 +0530 Sudhakar Reddy alleged that the State had also been crushing the Opposition by getting the police into the act against all norms Full Article Andhra Pradesh
red YSRCP MP Avinash Reddy alleges harassment of his personal assistant by police By www.thehindu.com Published On :: Sun, 10 Nov 2024 12:20:35 +0530 Police went to Raghava Reddy’s residence late on Friday and ransacked furniture, he alleges Full Article Andhra Pradesh
red GIS-based master plans being prepared for Class II towns, says A.P. Finance Minister By www.thehindu.com Published On :: Mon, 11 Nov 2024 18:27:01 +0530 NDA govt. is taking steps for planned and sustainable urban development, says Finance Minister Payyavula Keshav after presenting the Budget for 2024-25 Full Article Andhra Pradesh
red Man arrested and 20 stolen motorcycles worth ₹15 lakh recovered in Nandyal By www.thehindu.com Published On :: Mon, 11 Nov 2024 20:52:54 +0530 Full Article Andhra Pradesh
red Jagan Mohan Reddy pays tributes to Maulana Abul Kalam Azad By www.thehindu.com Published On :: Mon, 11 Nov 2024 21:06:32 +0530 Full Article Andhra Pradesh
red YSRCP social media activist Varra Ravindra Reddy sent to judicial remand By www.thehindu.com Published On :: Tue, 12 Nov 2024 20:08:23 +0530 Police form district-level teams to monitor ‘defamatory posts’ Full Article Andhra Pradesh
red Revanth Reddy’s lost opportunity in Telangana By www.thehindu.com Published On :: Mon, 14 Oct 2024 00:45:00 +0530 Telangana does not need yet another committee to study SC sub-categorisation Full Article Comment
red Vijay cannot be ignored By www.thehindu.com Published On :: Thu, 31 Oct 2024 04:30:23 +0530 His speech has drawn admiration and criticism in equal measure Full Article Comment
red Ordered sets [electronic resource] / by Egbert Harzheim By darius.uleth.ca Published On :: New York : Springer, 2005 Full Article
red Fuchsian reduction [electronic resource] : applications to geometry, cosmology and mathematical physics / Satyanad Kichenassamy By darius.uleth.ca Published On :: Boston : Birkhauser, 2007 Full Article
red Kerala fire: 27 injured being treated at private hospital in Mangaluru By www.thehindu.com Published On :: Tue, 29 Oct 2024 19:31:59 +0530 Full Article Mangaluru
red Hundreds take part in third edition of Mangalore Marathon By www.thehindu.com Published On :: Sun, 10 Nov 2024 21:04:13 +0530 Full Article Mangaluru
red How to reduce the burden of entrance exams on students By www.thehindu.com Published On :: Sat, 02 Nov 2024 23:30:00 +0530 Early preparation, counselling and changes in entrance exams can reduce the burden on students Full Article Education
red Ben Hur: Chariots of boredom By www.thehindu.com Published On :: Fri, 19 Aug 2016 11:52:47 +0530 Even the cinematic feat of evoking pathos cannot make up for Ben-Hur’s failure to resonate with its viewer. Full Article Reviews
red Don't Breathe: when prey turns predator By www.thehindu.com Published On :: Fri, 02 Sep 2016 08:40:36 +0530 A chilling, thrilling twist on the home invasion genre leaves you rooting for the bad guys. Full Article Cinema
red Pilla Rakshasi: Predictable emotional journey By www.thehindu.com Published On :: Sat, 05 Nov 2016 16:12:57 +0530 A few glitches notwithstanding, Sara’s performance is worth watching Full Article Cinema
red Talent, tech sector drive Hyderabad’s real-estate growth: CBRE-CREDAI report By www.thehindubusinessline.com Published On :: Tue, 20 Aug 2024 17:05:05 +0530 ‘Hyderabad accounts for 14 per cent of aggregate national office stock’ Full Article Economy
red L&T Construction reduces timelines by 50% with 3D printing technology By www.thehindubusinessline.com Published On :: Wed, 28 Aug 2024 19:49:12 +0530 ‘By using this technology, a villa project that would typically take 24 to 36 months can be completed in 12 months’ Full Article Real Estate
red Surge in bank credit to CRE linked to high demand for office and warehouse space By www.thehindubusinessline.com Published On :: Sat, 31 Aug 2024 16:17:28 +0530 With leasing activities surging across major cities and growing interest from big industrial groups, the commercial real estate market shows promising prospects for future lending and growth Full Article Real Estate
red Homebuyers gain from removal of differential tax rates on preferred locations, lowering overall costs By www.thehindubusinessline.com Published On :: Tue, 10 Sep 2024 10:26:05 +0530 One third of the transaction value of an immovable property is attributed to land, which is excluded from and it is not included for calculation of GST calculation Full Article Economy
red CREDAI’s strategic collaboration with IIMA unveils advanced real estate leadership programme By www.thehindubusinessline.com Published On :: Sat, 05 Oct 2024 16:42:08 +0530 This initiative, exclusively available to senior management of CREDAI-affiliated real estate firms across India, aims to provide strategic insights and skills essential for navigating the challenges of the rapidly evolving real estate market. Full Article Real Estate
red Godrej Properties Q2 net profit surges fivefold; bottomline aided by deferred tax liability By www.thehindubusinessline.com Published On :: Wed, 23 Oct 2024 13:07:37 +0530 During the quarter, Godrej Properties sold houses worth ₹5,198 crore, up 3 per cent on year while collections rose 68 per cent to ₹4,005 crore Full Article Real Estate
red Intermediate diradical character and thermal cis–trans isomerization of near-infrared absorbing thionated squaraine dyes By pubs.rsc.org Published On :: Org. Chem. Front., 2024, Advance ArticleDOI: 10.1039/D4QO01722F, Research Article Open Access   This article is licensed under a Creative Commons Attribution-NonCommercial 3.0 Unported Licence.Taishi Oka, Takeshi Maeda, Daisuke Sakamaki, Naoya Suzuki, Shigeyuki Yagi, Shintaro Kodama, Hideki FujiwaraNear-infrared absorbing squaraine dyes incorporating 4-membered thionated oxocarbon and chalcogenopyrylium moieties exhibit intermediate diradical character, which impacts thermal cis–trans isomerization.To cite this article before page numbers are assigned, use the DOI form of citation above.The content of this RSS Feed (c) The Royal Society of Chemistry Full Article
red Synergy of prediction rule and total synthesis in solving the stereochemical puzzle of eucalactam B By pubs.rsc.org Published On :: Org. Chem. Front., 2024, Advance ArticleDOI: 10.1039/D4QO01777C, Research ArticleChenqi Wang, Junyang Liu, Tao YeThe absolute configurations of the fungal-derived reduced polyketide eucalactam B were initially predicted using the “Biochemistry-based rule” and later confirmed through its first successful total synthesis.To cite this article before page numbers are assigned, use the DOI form of citation above.The content of this RSS Feed (c) The Royal Society of Chemistry Full Article
red A cucurbit[8]uril-mediated host–guest complex for red-light photocatalysis By pubs.rsc.org Published On :: Org. Chem. Front., 2024, 11,6327-6332DOI: 10.1039/D4QO01492H, Research ArticleWeiquan Xu, Yinghao Du, He Ma, Xingchen Tang, Jiang-Fei Xu, Xi ZhangTwo-step host–guest complexation can occur between an elongated dye and CB[8], leading to the formation of CB[8]@2TPP and 3CB[8]@2TPP sequentially. Of these species, 3CB[8]@2TPP in particular can act as an efficient red-light photocatalyst.The content of this RSS Feed (c) The Royal Society of Chemistry Full Article
red Cobalt-catalyzed enantioselective reductive addition of ketimine with cyclopropyl chloride to construct chiral amino esters bearing cyclopropyl fragments By pubs.rsc.org Published On :: Org. Chem. Front., 2024, 11,6311-6318DOI: 10.1039/D4QO01474J, Research ArticleJiangtao Hu, Tingting Xia, Xianqing Wu, Hongrui Feng, Jingping Qu, Yifeng ChenCo-catalyzed asymmetric reductive addition of ketimine with cyclopropyl chloride has been realized to access diverse chiral amino esters bearing cyclopropyl fragments with broad functional group tolerance and excellent enantioselectivities.The content of this RSS Feed (c) The Royal Society of Chemistry Full Article
red Shining light on sulfonium salts and sulfur ylides: recent advances in alkylation under photoredox catalysis By pubs.rsc.org Published On :: Org. Chem. Front., 2024, 11,6573-6588DOI: 10.1039/D4QO01644K, Review ArticleZhe Jin, Tingwei Yu, Hui Wang, Penghao Jia, You HuangRecent advancements in photoredox alkylation with sulfur ylides, sulfonium salts and related analogues are summarized in this review.The content of this RSS Feed (c) The Royal Society of Chemistry Full Article
red Thiocyanoalkylation of Alkenes via Dual Photoredox and Copper Catalysis By pubs.rsc.org Published On :: Org. Chem. Front., 2024, Accepted ManuscriptDOI: 10.1039/D4QO01864H, Research ArticleXu Wang, Bi-Yin Xiao, Qi-Xuan Jiang, Wei Huang, Feng-Hua ZhangOrganic thiocyanates are commonly used as an essential organic synthesis intermediate and widely present in various drug molecules and bioactive molecules. Herein, a copper and photoredox catalyzed thiocyanoalkylation reaction of...The content of this RSS Feed (c) The Royal Society of Chemistry Full Article
red Nickel-catalyzed reductive 1,2-alkylarylation of alkenes via a 1,5-hydrogen atom transfer (HAT) cascade By pubs.rsc.org Published On :: Org. Chem. Front., 2024, Advance ArticleDOI: 10.1039/D4QO01875C, Research ArticleXi Chen, Qiang Wang, Xiao-Ping Gong, Rui-Qiang Jiao, Xue-Yuan Liu, Yong-Min LiangA nickel-catalyzed 1,2-alkylarylation of alkenes has been developed, leveraging amidyl radical-triggered 1,5-HAT with electrophiles as functionalizing reagents.To cite this article before page numbers are assigned, use the DOI form of citation above.The content of this RSS Feed (c) The Royal Society of Chemistry Full Article
red Stereocontrolled synthesis of heterocycles from unactivated alkynes by photoredox/nickel dual-catalyzed cyclization By pubs.rsc.org Published On :: Org. Chem. Front., 2024, Advance ArticleDOI: 10.1039/D4QO01627K, Research ArticleBo-Rong Leng, Feng Yang, Jin-Lian Bai, Yu-Wen Huang, Qing-Quan Liu, Ping Wei, De-Cai Wang, Yi-Long ZhuWe report a nickel/photoredox dual catalysis method for synthesizing heterocyclics from unactivated alkynes and aryl iodides, offering a direct, selective, and green alternative to traditional synthesis with potential in medicinal chemistry.To cite this article before page numbers are assigned, use the DOI form of citation above.The content of this RSS Feed (c) The Royal Society of Chemistry Full Article
red Palladium-catalyzed cascade decarboxylative cyclization of alkyne-tethered aryl iodides with o-bromobenzoic acids for the synthesis of fused isoquinolinones By pubs.rsc.org Published On :: Org. Chem. Front., 2024, Advance ArticleDOI: 10.1039/D4QO01573H, Research ArticleZhaolin Quan, Yubo Duan, Zhengkai ChenA straightforward approach for the preparation of fused isoquinolinone derivatives via palladium-catalyzed cascade decarboxylative cyclization of alkyne-tethered aryl iodides with o-bromobenzoic acids is described.To cite this article before page numbers are assigned, use the DOI form of citation above.The content of this RSS Feed (c) The Royal Society of Chemistry Full Article
red Cong. govt cheating paddy farmers on procurement: Kishan Reddy By www.thehindu.com Published On :: Thu, 07 Nov 2024 18:50:38 +0530 Full Article Telangana
red Telangana pharmaceutical industries logged 97 major fire accidents in past decade: Fire Services Director-General Y. Nagi Reddy By www.thehindu.com Published On :: Thu, 07 Nov 2024 18:58:18 +0530 The new government would like to decentralise and set up pharma villages, in 10 clusters, Special Chief Secretary Jayesh Ranjan said Full Article Telangana
red Home guard injured after engineering student attempts to flee vehicle checking in Panjagutta By www.thehindu.com Published On :: Fri, 08 Nov 2024 21:27:50 +0530 Full Article Telangana
red Kishan Reddy slams Revanth government for failing farmers, challenges Rahul Gandhi to tour villages in Telangana By www.thehindu.com Published On :: Sat, 09 Nov 2024 18:56:29 +0530 Full Article Telangana
red CM Revanth Reddy announces resolve to complete pending projects of Palamuru district By www.thehindu.com Published On :: Sun, 10 Nov 2024 23:43:29 +0530 Criticises opposition parties for trying to create obstacles in district development Full Article Telangana
red Watch: ‘I am prepared to face political repercussions’: Revanth Reddy on HYDRAA By www.thehindu.com Published On :: Mon, 11 Nov 2024 20:54:00 +0530 Telangana Chief Minister A. Revanth Reddy made it clear that the government is not going to spare encroachers and that HYDRAA has been given full powers Full Article Videos
red Telangana to repair 9,000 km of roads using advanced technology: Minister Komatireddy By www.thehindu.com Published On :: Tue, 12 Nov 2024 00:43:54 +0530 Full Article Telangana
red Ageing Kohli, Rohit must rekindle youthful mindset to rediscover lost glory: Greg Chappell By www.thehindu.com Published On :: Fri, 08 Nov 2024 13:30:40 +0530 According to Chappell, the ageing Sharma and Kohli must summon the same drive and focus that once marked their prime years if India hopes to reclaim its form on foreign soil Full Article Cricket