Wi-Fi is in every single place. Whether or not you journey for enterprise or just want Web entry whereas out and about, your choices are plentiful. You’ll be able to signal on at airports, inns, espresso retailers, quick meals eating places, and now, even airplanes.
Wi-Fi wasn’t born to be safe; it was born to be handy. Wi-fi networks broadcast messages utilizing radio and are due to this fact extra prone to eavesdropping than wired networks.
At present, with prison hackers as subtle as ever, in case you are utilizing an open unsecured community in your cellular machine, you danger exposing your knowledge. There are various methods for hackers to see who’s related on a wi-fi connection, and to realize entry to your info together with passwords, emails, and all the info in your machine.
To guard your self and your knowledge when utilizing Wi-Fi, it is best to:
Flip it off: probably the most safe Wi-Fi is one that’s turned off. Disabling the Wi-Fi sign in your machine prevents anybody from seeing your machine and prevents your cellular from randomly connecting to only any out there Wi-Fi.
Restrict your use of hotspots: Whenever you’re away from your own home or work community, use a 3G or 4G knowledge connection as an alternative since most cell phone suppliers encrypt the visitors between cell towers and your machine.
Use a Wi-Fi connection is protected: Be sure you don’t see the message you’re “connecting to an unsecured community.” You may additionally want a password or code to get entry to the Wi-Fi connection.
Use a VPN: a Digital Personal Community (VPN) is one arrange with encryption to guard your knowledge from unauthorized entry. A VPN could also be out there by way of your office or at dwelling. A fast search in your mobiles utility retailer will rapidly end in quite a few free and paid apps to go surfing in a VPN.
Solely use https: Hypertext switch Protocol (http) with Safe Sockets Layer (SSL, therefore the S) is a safer possibility arrange by an internet site that is aware of safety is crucial. Search for https:// within the tackle bar signifying it’s a safe web page.Even on an open unsecure wi-fi connection https is safer.
Should you do use public Wi-Fi, be sure that not store on-line or entry your private and monetary websites. And bear in mind to take into account that doubtlessly something you’re doing on-line will be accessed by somebody.
Introducing McAfee+
Id theft safety and privateness on your digital life
Load testing is a essential course of for any database or information service, together with Rockset. By doing load testing, we purpose to evaluate the system’s habits underneath each regular and peak circumstances. This course of helps in evaluating essential metrics like Queries Per Second (QPS), concurrency, and question latency. Understanding these metrics is crucial for sizing your compute sources accurately, and making certain that they will deal with the anticipated load. This, in flip, helps in reaching Service Degree Agreements (SLAs) and ensures a easy, uninterrupted person expertise. That is particularly essential for customer-facing use instances, the place finish customers anticipate a handy guide a rough person expertise. Load testing is typically additionally referred to as efficiency or stress testing.
“53% of visits are more likely to be deserted if pages take longer than 3 seconds to load” — Google
Rockset compute sources (referred to as digital situations or VIs) come in numerous sizes, starting from Small to 16XL, and every dimension has a predefined variety of vCPUs and reminiscence out there. Selecting an applicable dimension is dependent upon your question complexity, dataset dimension and selectivity of your queries, variety of queries which are anticipated to run concurrently and goal question efficiency latency. Moreover, in case your VI can also be used for ingestion, it’s best to think about sources wanted to deal with ingestion and indexing in parallel to question execution. Fortunately, we provide two options that may assist with this:
Auto-scaling – with this characteristic, Rockset will mechanically scale the VI up and down relying on the present load. That is essential in case you have some variability in your load and/or use your VI to do each ingestion and querying.
Compute-compute separation – that is helpful as a result of you’ll be able to create VIs which are devoted solely for operating queries and this ensures that the entire out there sources are geared in the direction of executing these queries effectively. This implies you’ll be able to isolate queries from ingest or isolate totally different apps on totally different VIs to make sure scalability and efficiency.
We suggest doing load testing on at the very least two digital situations – with ingestion operating on the primary VI and on a separate question VI. This helps with deciding on a single or multi-VI structure.
Load testing helps us establish the boundaries of the chosen VI for our explicit use case and helps us decide an applicable VI dimension to deal with our desired load.
Instruments for load testing
In terms of load testing instruments, just a few common choices are JMeter, k6, Gatling and Locust. Every of those instruments has its strengths and weaknesses:
JMeter: A flexible and user-friendly software with a GUI, excellent for numerous varieties of load testing, however could be resource-intensive.
k6: Optimized for prime efficiency and cloud environments, utilizing JavaScript for scripting, appropriate for builders and CI/CD workflows.
Gatling: Excessive-performance software utilizing Scala, finest for complicated, superior scripting eventualities.
Locust: Python-based, providing simplicity and fast script growth, nice for easy testing wants.
Every software presents a novel set of options, and the selection is dependent upon the particular necessities of the load take a look at being performed. Whichever software you utilize, remember to learn via the documentation and perceive the way it works and the way it measures the latencies/response occasions. One other good tip is to not combine and match instruments in your testing – if you’re load testing a use case with JMeter, keep it up to get reproducible and reliable outcomes you can share along with your group or stakeholders.
Rockset has a REST API that can be utilized to execute queries, and all instruments listed above can be utilized to load take a look at REST API endpoints. For this weblog, I’ll concentrate on load testing Rockset with Locust, however I’ll present some helpful sources for JMeter, k6 and Gatling as nicely.
Establishing Rockset and Locust for load testing
Let’s say we now have a pattern SQL question that we wish to take a look at and our information is ingested into Rockset. The very first thing we often do is convert that question right into a Question Lambda – this makes it very straightforward to check that SQL question as a REST endpoint. It may be parametrized and the SQL could be versioned and stored in a single place, as an alternative of going forwards and backwards and altering your load testing scripts each time you’ll want to change one thing within the question.
Step 1 – Determine the question you wish to load take a look at
In our situation, we wish to discover the preferred product on our webshop for a selected day. That is what our SQL question appears to be like like (be aware that :date is a parameter which we will provide when executing the question):
--top product for a selected day
SELECT
s.Date,
MAX_BY(p.ProductName, s.Depend) AS ProductName,
MAX(s.Depend) AS NumberOfClicks
FROM
"Demo-Ecommerce".ProductStatsAlias s
INNER JOIN "Demo-Ecommerce".ProductsAlias p ON s.ProductID = CAST(p._id AS INT)
WHERE
s.Date = :date
GROUP BY
1
ORDER BY
1 DESC;
Step 2 – Save your question as a Question Lambda
We’ll save this question as a question lambda referred to as LoadTestQueryLambda which is able to then be out there as a REST endpoint:
Now we have to generate an API key, which we’ll use as a means for our Locust script to authenticate itself to Rockset and run the take a look at. You possibly can create an API key simply via our console or via the API.
Step 4 – Create a digital occasion for load testing
Subsequent, we want the ID of the digital occasion we wish to load take a look at. In our situation, we wish to run a load take a look at towards a Rockset digital occasion that’s devoted solely to querying. We spin up an extra Medium digital occasion for this:
As soon as the VI is created, we will get its ID from the console:
Step 5 – Set up Locust
Subsequent, we’ll set up and arrange Locust. You are able to do this in your native machine or a devoted occasion (suppose EC2 in AWS).
$ pip set up locust
Step 6 – Create your Locust take a look at script
As soon as that’s achieved, we’ll create a Python script for the Locust load take a look at (be aware that it expects a ROCKSET_APIKEY setting variable to be set which is our API key from step 3).
We will use the script under as a template:
import os
from locust import HttpUser, job, tag
from random import randrange
class query_runner(HttpUser):
ROCKSET_APIKEY = os.getenv('ROCKSET_APIKEY') # API secret is an setting variable
header = {"authorization": "ApiKey " + ROCKSET_APIKEY}
def on_start(self):
self.headers = {
"Authorization": "ApiKey " + self.ROCKSET_APIKEY,
"Content material-Kind": "software/json"
}
self.shopper.headers = self.headers
self.host="https://api.usw2a1.rockset.com/v1/orgs/self" # substitute this along with your area's URI
self.shopper.base_url = self.host
self.vi_id = '' # substitute this along with your VI ID
@tag('LoadTestQueryLambda')
@job(1)
def LoadTestQueryLambda(self):
# utilizing default params for now
information = {
"virtual_instance_id": self.vi_id
}
target_service="/ws/sandbox/lambdas/LoadTestQueryLambda/tags/newest" # substitute this along with your question lambda
consequence = self.shopper.submit(
target_service,
json=information
)
Step 7 – Run the load take a look at
As soon as we set the API key setting variable, we will run the Locust setting:
And navigate to: http://localhost:8089 the place we will begin our Locust load take a look at:
Let’s discover what occurs as soon as we hit the Begin swarming button:
Initialization of simulated customers: Locust begins creating digital customers (as much as the quantity you specified) on the price you outlined (the spawn price). These customers are situations of the person class outlined in your Locust script. In our case, we’re beginning with a single person however we’ll then manually improve it to five and 10 customers, after which go down to five and 1 once more.
Process execution: Every digital person begins executing the duties outlined within the script. In Locust, duties are sometimes HTTP requests, however they are often any Python code. The duties are picked randomly or primarily based on the weights assigned to them (if any). Now we have only one question that we’re executing (our LoadTestQueryLambda).
Efficiency metrics assortment: Because the digital customers carry out duties, Locust collects and calculates efficiency metrics. These metrics embrace the variety of requests made, the variety of requests per second, response occasions, and the variety of failures.
Actual-time statistics replace: The Locust internet interface updates in real-time, exhibiting these statistics. This consists of the variety of customers at the moment swarming, the request price, failure price, and response occasions.
Take a look at scalability: Locust will proceed to spawn customers till it reaches the whole quantity specified. It ensures the load is elevated regularly as per the required spawn price, permitting you to look at how the system efficiency modifications because the load will increase. You possibly can see this within the graph under the place the variety of customers begins to develop to five and 10 after which go down once more.
Consumer habits simulation: Digital customers will look forward to a random time between duties, as outlined by the wait_time within the script. This simulates extra life like person habits. We didn’t do that in our case however you are able to do this and extra superior issues in Locust like customized load shapes, and so forth.
Steady take a look at execution: The take a look at will proceed operating till you determine to cease it, or till it reaches a predefined period if you happen to’ve set one.
Useful resource utilization: Throughout this course of, Locust makes use of your machine’s sources to simulate the customers and make requests. It is essential to notice that the efficiency of the Locust take a look at can even rely upon the sources of the machine it is operating on.
Let’s now interpret the outcomes we’re seeing.
Deciphering and validating load testing outcomes
Deciphering outcomes from a Locust run includes understanding key metrics and what they point out concerning the efficiency of the system underneath take a look at. Listed below are a few of the foremost metrics supplied by Locust and the best way to interpret them:
Variety of customers: The overall variety of simulated customers at any given level within the take a look at. This helps you perceive the load stage in your system. You possibly can correlate system efficiency with the variety of customers to find out at what level efficiency degrades.
Requests per second (RPS): The variety of requests (queries) made to your system per second. A better RPS signifies a better load. Examine this with response occasions and error charges to evaluate if the system can deal with concurrency and excessive visitors easily.
Response time: Often displayed as common, median, and percentile (e.g., ninetieth and 99th percentile) response occasions. You’ll seemingly take a look at median and the 90/99 percentile as this provides you the expertise for “most” customers – solely 10 or 1 % may have worse expertise.
Failure price: The share or variety of requests that resulted in an error. A excessive failure price signifies issues with the system underneath take a look at. It is essential to investigate the character of those errors.
Beneath you’ll be able to see the whole RPS and response occasions we achieved underneath totally different hundreds for our load take a look at, going from a single person to 10 customers after which down once more.
Our RPS went as much as about 20 whereas sustaining median question latency under 300 milliseconds and P99 of 700 milliseconds.
We will now correlate these information factors with the out there digital occasion metrics in Rockset. Beneath, you’ll be able to see how the digital occasion handles the load when it comes to CPU, reminiscence and question latency. There’s a correlation between variety of customers from Locust and the peaks we see on the VI utilization graphs. You can too see the question latency beginning to rise and see the concurrency (requests or queries per second) go up. The CPU is under 75% on the height and reminiscence utilization appears to be like steady. We additionally don’t see any important queueing occurring in Rockset.
Aside from viewing these metrics within the Rockset console or via our metrics endpoint, you too can interpret and analyze the precise SQL queries that have been operating, what was their particular person efficiency, queue time, and so forth. To do that, we should first allow question logs after which we will do issues like this to determine our median run and queue occasions:
SELECT
query_sql,
COUNT(*) as depend,
ARRAY_SORT(ARRAY_AGG(runtime_ms)) [(COUNT(*) + 1) / 2] as median_runtime,
ARRAY_SORT(ARRAY_AGG(queued_time_ms)) [(COUNT(*) + 1) / 2] as median_queue_time
FROM
commons."QueryLogs"
WHERE
vi_id = ''
AND _event_time > TIMESTAMP '2023-11-24 09:40:00'
GROUP BY
query_sql
We will repeat this load take a look at on the primary VI as nicely, to see how the system performs ingestion and runs queries underneath load. The method could be the identical, we’d simply use a distinct VI identifier in our Locust script in Step 6.
Conclusion
In abstract, load testing is a vital a part of making certain the reliability and efficiency of any database resolution, together with Rockset. By choosing the precise load testing software and organising Rockset appropriately for load testing, you’ll be able to acquire helpful insights into how your system will carry out underneath numerous circumstances.
Locust is simple sufficient to get began with rapidly, however as a result of Rockset has REST API assist for executing queries and question lambdas, it’s straightforward to hook up any load testing software.
Bear in mind, the purpose of load testing is not only to establish the utmost load your system can deal with, but additionally to know the way it behaves underneath totally different stress ranges and to make sure that it meets the required efficiency requirements.
Fast load testing ideas earlier than we finish the weblog:
All the time load take a look at your system earlier than going to manufacturing
Use question lambdas in Rockset to simply parametrize, version-control and expose your queries as REST endpoints
Use compute-compute separation to carry out load testing on a digital occasion devoted for queries, in addition to in your foremost (ingestion) VI
Allow question logs in Rockset to maintain statistics of executed queries
Analyze the outcomes you’re getting and evaluate them towards your SLAs – if you happen to want higher efficiency, there are a number of methods on the best way to sort out this, and we’ll undergo these in a future weblog.
Have enjoyable testing 💪
Helpful sources
Listed below are some helpful sources for JMeter, Gatling and k6. The method is similar to what we’re doing with Locust: you’ll want to have an API key and authenticate towards Rockset after which hit the question lambda REST endpoint for a selected digital occasion.
From selling questionable content material to posing safety dangers, inappropriate adverts current a number of risks for kids. Right here’s assist them keep protected.
16 Apr 2024 • , 5 min. learn
In in the present day’s digital world, adverts are virtually unavoidable. From pop-up adverts in your every day Wordle to sneaky affiliate posts in your favourite social media accounts, we’re continuously bombarded with focused advertising and marketing messages selling services and products – and youngsters are not any exception.
Whereas promoting is usually a highly effective instrument for companies, its impression on younger minds is commonly underestimated and missed. Analysis reveals that attributable to their growing vital reasoning, youthful individuals are extra influenced by these adverts than adults. And, when you consider how the common teenager spends over 8.5 hours a day taking a look at screens, you may think about how the variety of adverts they see ramps up.
This publicity can result in a number of issues if not managed and talked about accurately, with tech giants even underneath stress to ban adverts focusing on youngsters completely.
However what are the dangers related to youthful folks often consuming this focused messaging, whether or not they’re conscious of it or not? We discover them under…
1. Normalizing inappropriate behaviors
Some of the apparent dangers is youngsters being uncovered to unsuitable content material, merchandise, and providers. Whether or not it is X-rated materials or violence, seeing any such content material promoted on even a unconscious degree can normalize these behaviors and create a warped sense of what’s applicable and what’s not.
Analysis suggests that extended publicity to this form of materials can impression the event of the mind’s pre-frontal cortex! This may end up in elevated aggression and inhibitory conduct, which stays with them for all times and will get them into bother of their later years.
2. Distorted perceptions of actuality
The messaging from adverts, which youngsters have a tendency to simply accept uncritically, can form their perceptions of the world round them. With the rise of social media influencers and curated on-line content material, adverts usually painting an idealized model of actuality that won’t mirror the complexities of on a regular basis life. For instance, with picture modifying software program, AI, and filters galore, younger folks could often be uncovered to a skewed concept of what they ‘ought to’ appear like, what they ‘must be consuming’, how they ‘ought to’ behave, and what they ‘ought to’ be sharing on-line.
This distortion can result in unreachable expectations, poor shallowness, and a warped understanding of societal norms. Enter the rise of consuming issues, anxiousness, insomnia, and despair in youthful folks. Mother and father or accountable adults should assist youngsters critically consider media messages and develop a balanced perspective.
3. Encouraging unhealthy habits
When the aim of adverts is to drive gross sales, the character of the services or products promoted is vital in dictating how they might impression youthful folks’s consumption habits.
For instance, over 85% of teenagers are uncovered to junk meals adverts on Instagram, Fb, and Twitter. Worryingly, analysis reveals that elevated publicity to this instantly correlates to elevated consumption of meals increased in salt, sugar, and fats. And it’s not solely unhealthy meals adverts which are an issue: alcohol and tobacco merchandise promoted sneakily throughout numerous platforms can result in unhealthy habits too.
4. In-app purchases and monetary dangers
The flexibility to buy new tokens, factors, weapons and so on. in cell video games has opened up a brand new avenue for advertisers to focus on youngsters. Whereas these purchases could appear innocent at first, they will shortly escalate, resulting in substantial costs for fogeys or whoever is footing the invoice.
Particular sport options, modifications, and digital currencies entice youngsters (and let’s be trustworthy, adults) to spend actual cash inside apps, usually with out absolutely understanding the monetary implications (please say I’m not the primary one to spend £50 on add-ons unknowingly). There have even been circumstances of utmost spending the place a baby spent $16,000 of her mother and father’ cash unknowingly on in-app purchases. No matter cash is spent in these on-line realms, this additional monetary output can pressure household budgets and even result in reckless spending habits in a while.
5. Safety and privateness dangers
Some adverts that youngsters could also be uncovered to can pose vital safety and privateness dangers. This may be via particular banners, photographs, or microsites, crafted by cyber criminals to comprise malware or result in phishing scams, placing children’ units and private data in danger. In the meantime, even respected firms could perform extreme advert monitoring that may compromise youngsters’s privateness resulting in the gathering of delicate knowledge with out parental consent.
Safeguarding in opposition to these dangers requires sturdy cybersecurity measures and parental oversight. Parental management instruments can be extraordinarily helpful right here, empowering mother and father and guardians with the power to handle what apps could be downloaded and which web sites could be accessed.
How can we assist youthful folks to eat adverts in a wholesome method?
Whereas the dangers could appear daunting, there’s a lot that oldsters and guardians can do to assist shield youngsters from the adverse impression advert publicity could have. Being proactive in offering assist and having consciousness of the continued dangers can assist caregivers keep one step forward of this unavoidable a part of on a regular basis life.
Open conversations
Open dialogue and communication play a vital position in growing digital literacy and resilience. Discussing the potential risks of promoting can empower youthful folks to make knowledgeable selections on how they obtain and interpret adverts. With this information and understanding, youthful folks could also be extra outfitted to reject the skewed actuality and unhealthy behaviors idolized within the adverts they see.
Instruments and assets
Along with open dialogue, parental management software program can function a helpful instrument in managing youngsters’s on-line experiences. Options like ESET’s Parental Management for Android provide app blocking, net filtering, and display time administration, permitting mother and father and guardians to tailor youngsters’s digital surroundings to their particular wants and issues. Utilizing these instruments alongside proactive communication, mother and father can create a safer and safer on-line surroundings for his or her youngsters.
The affect of adverts on youngsters’s well-being can’t be overstated. From selling questionable content material to posing monetary, safety, and privateness dangers, adverts current a number of risks for younger minds. Nonetheless, with vigilant parental oversight, open communication, and applicable technological safeguards, mother and father and guardians can assist mitigate these dangers and empower their youngsters to navigate the digital world safely and responsibly.
To be taught extra about extra dangers confronted by youngsters on-line and the way know-how can assist, head over to Safer Youngsters On-line.
The massive image: Among the many three pixel colours present in OLED shows, blue stands out for its inefficiency and shorter lifespan in comparison with crimson and inexperienced pixels. However now LG claims to have cracked that code utilizing a mixture of tandem OLEDs and a mixture of blue phosphorescent and fluorescent supplies. This innovation will result in higher effectivity and improved picture stability over the show’s lifespan.
LG turned heads when it launched the primary 55-inch OLED TV again in 2012. OLED know-how is famend for its spectacular picture high quality and low response time in comparison with LCDs. Nonetheless, there are some disadvantages, equivalent to excessive prices and picture burn-in. Burn-in happens when static pictures (e.g. the Home windows taskbar, information tickers, sport HUDs) are displayed for an prolonged interval, inflicting pixels to degrade quicker and forsaking “ghost” pictures.
Show producers have developed numerous strategies to mitigate burn-in, together with pixel dimming on static pictures to cut back pixel pressure and pixel shifting, which barely strikes pixels at common intervals.
One of many principal contributors to burn-in is the blue pixel and the way it emits gentle in comparison with crimson or inexperienced pixels. OLED pixels are composed of natural materials that emits gentle by both phosphorescence or fluorescence. Phosphorescence is usually extra environment friendly and might degrade extra slowly. Crimson and inexperienced pixels in some OLED applied sciences use phosphorescent emitters, whereas blue pixels sometimes emit gentle via much less environment friendly fluorescence. As a result of blue pixels require extra energy to attain related luminance to crimson and inexperienced pixels, they degrade quicker, contributing to burn-in points.
LG’s “Dream OLED” addresses this problem through the use of a two-stack tandem construction, which layers the OLED light-emitting components. This stacked design employs each fluorescence and phosphorescent supplies for blue gentle. LG estimates that Dream OLED will ship a 10-20% enhance in show effectivity. This enchancment in effectivity will scale back pixel stress and lengthen the lifespan of the blue pixels. Common Show Company, a U.S.-based show materials producer, is supplying the blue phosphorescent materials.
Tandem OLED know-how would possibly sound acquainted, as Apple launched an analogous idea of their 2024 iPad Execs. Apple’s strategy entails stacking two OLED layers, which improves brightness and lifespan however does not straight tackle the blue pixel subject. If LG’s effectivity estimates are correct, it isn’t far-fetched to assume that cellphone makers may very well be the primary to undertake this battery-saving characteristic.
So, when can shoppers anticipate to get their palms on Dream OLED? In accordance with an business official, “We plan to guage the efficiency for mass manufacturing throughout the 12 months and evaluation commercialization.” Whereas the general public might have to attend at the very least a 12 months or two to see the fruits of LG’s efforts, the way forward for OLED seems to be shiny.
A brand new research has discovered that Apple Podcasts faces a big decline as YouTube and Spotify solidify themselves within the house.
There was a time when Apple Podcasts was the place to take heed to podcasts, controlling 27% of the market as lately as March 2021. However now that the market has expanded with different streaming platforms, plainly Apple Podcasts is changing into considerably of a ghost city.
In October 2021, Spotify overtook Apple as the highest US podcast platform, marking the primary time the Cupertino tech large had been dethroned within the podcast house. Spotify had managed to snag 24% of the podcast market, whereas Apple clung to 21%.
Three years later, YouTube has turn into the first approach People get their podcasts. In response to Cumulus Media and Sign Hill, a formidable 31% of podcast listeners now get their podcasts on YouTube. In reality, 47% of podcast listeners between the ages of 18-34 primarily take heed to their podcasts on YouTube.
Spotify now holds 21% of listenership, with 47% of that base falling between the ages of 18 and 24.
Apple has a slipping grip on 12% of the market. In contrast to YouTube and Spotify, Apple holds a majority of listeners within the 35-49 age bracket.
Apple remains to be immensely in style with what Cumulus Media and Sign Hill name “Postcast Pioneers,” or individuals who started listening to podcasts 4 or extra years in the past. Newcomers, nonetheless, appear to strongly desire YouTube.
And, no matter when a listener started listening to podcasts, “heavy customers” — those that take heed to greater than six hours of podcasts every week — appear to desire YouTube over all different platforms.
There are a selection of causes for Apple’s decline. One main motive is the truth that Apple Podcasts hasn’t been out there on Home windows or Android gadgets, limiting its attain. Nonetheless, in mid-August, Apple made its podcast library out there on-line.
Nonetheless, it will not be sufficient. Because it seems, one of many greatest promoting factors for YouTube is video podcasts, which have boomed in reputation over the previous few years. The research reveals that just about 10% of weekly podcast listeners solely watch video podcasts. Whereas Apple Podcasts has supported video for practically twenty years, the platform has by no means closely publicized the function.
YouTube can also be in style with those that hear on laptop computer and desktop platforms. It additionally affords a remark part, which 18% of its listeners say is a driving motive to make use of it over others. Moreover, many customers level out that YouTube is their one-stop store for data and leisure.
Whereas Apple’s grip could also be slipping on the podcast market, the corporate continues to innovate the platform. In March 2024, Apple added auto-generated transcripts in its cell Apple Podcasts app.