Categories
Dedicated Server

How to prevent SQL injection with prepared statements – TechTarget

Structured Query Language, or SQL, is a programming language used with databases. SQL injection attacks -- when malicious SQL statements are inserted into an input query to gain access to a database -- have long been challenging for security teams. Though fairly easy to prevent, SQL injections regularly make the OWASP Top 10 Web Application Security Risks list.

One way to prevent SQL injection is with prepared statements, also known as parameterized queries.

"The typical prepared statement example is replacing strong concatenation with something like, 'Select * from employee where name = ?'" said Roman Zabicki, author of Practical Security: Simple Practices for Defending Your Systems. Because prepared statements are meant to be used this way, he added, they are bulletproof. It's when you get into other query fields you run into problems with SQL injection.

"Not every part of a SQL statement is parameterizable," Zabicki said. "If you want to order by, say, employee start date, order is typically not parameterizable."

In the following excerpt from Practical Security, Zabicki further explains what prepared statements are, how to use prepared statements with fields that cannot be parameterized and why a layered defense is the best prevention against SQL injection attacks.

Check out this Q&A where Zabicki discusses why patching is the most important task for anyone who wears a security hat within an organization to learn.

Download a PDF of Chapter 2 to learn about other injection attacks and how to defend against them.

Prepared statements make up the core of our defense against SQL injection. These are sometimes referred to as parameterized queries. For our purposes, we'll use the terms interchangeably. Prepared statements enforce the separation between templated SQL and user-supplied input. Instead of building up a SQL statement by concatenating strings and user-supplied input, prepared statements are constructed by using a parameterized SQL statement that has placeholder tokens (in most SQL dialects, this placeholder is a ?) and a list of the values that should be used for those parameters. The important difference with prepared statements in our vulnerable example above is that prepared statements never concatenate the values and the SQL. The separation is always maintained. Let's see an example in Java. As before, the concept is the same regardless of which language it's written in.

With a function like this, even if the attacker tries to use % signs to escape out, they can't because the attacker-controlled wildcard parameter isn't concatenated into the SQL expression. Instead, it's passed to a call to setString, and the database will keep it separated.

When reading code and looking for SQL injection, keep in mind that concatenation can look different in different languages. The examples above used +, but string interpolation can also open the door to SQL injection when it's used with user-supplied data, as in the following example in Python.

Correct use of prepared statements should be the preferred way to prevent SQL injection. It's possible to misuse a prepared statement and undo the protection it can bring, however. Suppose we defined journalEntrySearch as follows:

We can see that even though we're creating a prepared statement, we're using an attacker-controlled piece of data, wildcard, to construct the SQL for the prepared statement. This undoes the protection we hoped to gain. Hopefully a mistake like this would be caught before making it into production. Static analysis tools can be used to catch this kind of mistake during development.

Prepared statements are great because they're nearly bulletproof. The downside is that not every part of a SQL statement can be parameterized. Table names, for instance, cannot be parameterized. There's no way to write a prepared statement like this:

In our journal-keeping example, parameterizing the table name might sound a little silly. There are cases, however, where this level of flexibility would be useful. Suppose our journaling website takes off and we add support for blog posts, mass emails, and on-demand printing of birthday cards. We may find ourselves duplicating the search logic across tables for journal entries, blog posts, mass emails, and birthday cards. (Yes, there are ways to get rid of the duplication, but this is a security book, not a database book, so please indulge me.) If you find yourself in a situation where you can't protect yourself with prepared statements and concatenation is the only way to build the query you want, you'll need to check that the data you're concatenating is safe. One way to achieve this is to introduce a level of indirection so that the attacker picks an ID that corresponds to one option in a list of options but the attacker doesn't get to provide the table name itself.

Let's see this approach put to use in a slightly contrived example.

Our database has grown, and now we have BlogPost, MassEmail, and BirthdayCard tables in addition to the original JournalEntry table. All of them have a Body column that we want to search on. We want the user to be able to pick which table to search against using a drop-down list that is generated using a select tag in the HTML of our web page. It might look like this:

If you need a refresher on HTML, the value is the literal text that the browser will send to the server if that option is selected. It's surrounded by double quotes in this case. The part between the > and the is what's displayed in the browser. A browser might render this drop-down like this:

One way to make sure that the user-supplied data is legitimate is to maintain a mapping of IDs to table names on the server. This mapping would be used to generate a slightly different drop-down than what we showed before. Instead of having the browser send the server the table name to put into the SQL statement, the browser will send the ID of the table name to put into the SQL statement. This would be done with HTML similar to the following:

And a server-side mapping of IDs to table names similar to this:

This mapping could be maintained in a dedicated table, or it could be generated dynamically at start-up time and cached in memory. However the mapping is maintained; the server expects input that can be parsed as an integer, not a table name. So when the server parses this it will be readily apparent if it's not valid (either not a number or not a number that maps to anything.) Another benefit of this approach is that table names aren't exposed to the attacker. Obscurity does not provide security, but there's no need to shout our table structures from the rooftops, either. One final benefit to this approach is that any attempt by the attacker to try sending other values will stand out. If the server gets any value for table that's not one of the integers from 1 to 4, the server can log that and alert support staff. There's no reason that legitimate users going through the GUI would ever send any value other than 1, 2, 3, or 4. So if the server gets any other value, there is chicanery afoot. We'll see this pattern repeated throughout the book. First priority is to prevent an attack; second priority is to make it "noisy" for an attacker to probe our system.

Proper use of prepared statements is our primary defense against SQL injection. Prepared statements are great, but we have to remember to use them every time we write code that touches SQL; we're never "done" with applying this defense. And if we're building complex, dynamic SQL statements with user input in parts of the SQL that aren't parameterizable, we need to exercise a great deal of caution in many places in the codebase. If we're sloppy in just one of those places, we can wind up leaving the door open to future SQL injection. It would be great if we could complete a one-time task that would protect us throughout future development. Unfortunately, we don't have anything quite that powerful, but proper use of database permissions can get us part of the way there. In theory, we could have a single database user for each table that we want to work with. In practice, this is unlikely to be effective except in very small applications. There are likely to be a large number of tables in an application. And some interactions involve using multiple tables in a single statement. If the number of tables doesn't get you, the number of combinations of tables will.

While it isn't worthwhile to introduce a dedicated database account for every table, it can be worthwhile to introduce them for particularly sensitive tables, such as audit tables or tables that contain passwords. It would be unfortunate if SQL injection in some random part of your application allowed an attacker to change admin passwords or cover their tracks by deleting audit records.

Adding database permissions to widespread use of stored procedures leaves us with a layered defense that can serve as a model for how we want to defend other parts of our system. We start by defending as much as we can with a nearly bulletproof defense like prepared statements. We then expand the scope of our defense with ongoing diligent development. Finally, we minimize the impact of development mistakes with the one-time application of a broadly effective defense like database permissions. We also set up our system so that attacks will be noisy.

Noisiness here means that attempts to carry out these attacks can be made to stand out. When we build alerting into our system, we can't allow many false positives because that won't scale, will burn out employees, and will lower urgency around responding to alerts. The alerts we've discussed should never happen under well-meaning use of the system, so if we detect these attacks, we have a high-quality indication that an attack is underway. With built-in alerting, the system can notify support staff and possibly take defensive action, such as locking accounts.

This defense requires a lot of ongoing diligence during development. The problem is that diligence is scarce. So if we can't easily increase the amount of diligence we'll be able to bring to bear, let's try to minimize the number of places where we need to use diligence. It's a good idea to introduce some kind of shared framework code to minimize the number of places where diligence is required. Make it easy for application developers to do the right thing and make it clear which parts of the code should access the database and which shouldn't. Don't overlook the importance of examples. Future developers who haven't joined your team yet will draw heavily on the code they've inherited when they write code. Make it easy for them to find good examples in your codebase.

We started the chapter with an explanation of software vulnerabilities by way of a knock-knock joke. Now that we've taken a good look at SQL injection, let's reward ourselves with a software vulnerability joke that's actually funny. Check out Bobby Tables by Randall Munroe.

Follow this link:

How to prevent SQL injection with prepared statements - TechTarget

Categories
Dedicated Server

AMD EPYC from Zen1 to Zen4 How it will change the CPU market? – Hardware Secrets

AMD, together with Intel, is one of the major processor manufacturers known in todays market. However, for many years it occupied the position number 2 when compared to its counterpart, Intel. Nevertheless, a few years ago AMD started winning the ground with processors that demonstrate even better performance, lower power consumption, and for lower prices. Namely, the AMD EPYC line which is based on the Zen processor microarchitecture. Today we are going to have a look at the evolution of this processor and its distinctive features in order to understand, how it has and will change the market in the future.

EPYC is a brand of microprocessors introduced by AMD in 2017. The processors are aimed at the application on dedicated hosting server, so they have certain technical adjustments to better suit this task. They generally support more cores and more CPU, which makes them suitable for resources intensive enterprise-level solutions, like virtualization and others..

EPYC processors are based on the Zen infrastructure, which is the most up-to-date AMD infrastructure and is still being further developed. AMD has been on a journey with its EPYC CPUs, starting with Zen1 and continuing through to the upcoming Zen4. Each new generation has brought significant improvements in performance and functionality, cementing AMDs place as a major player in the CPU market.

Zen1 was the first generation of processor microarchitucture introduced withing the framework of Zen line. It was a huge leap forward for AMD, offering competitive performance to Intels CPUs, which were dominating on the market for the most part of history, offering the support of more CPU cores, RAM, and more efficient energy consumption, while being significantly cheaper. This set the stage for the battle between AMD and Intel that were still seeing today.

Zen2 brought even more improvements, increasing performance while also adding support for PCIe 4.0 and 8-channel DDR4 memory. This made AMDs EPYC CPUs even more attractive to potential customers.

Zen3 is the previous generation of EPYC CPUs, and it brings even more performance gains while also adding support for the new SATA Express standard. This generation has also seen AMDs CPUs gain significant market share, as more and more companies are turning to AMD for their server needs.

Zen4 is the architecture that was introduced most recently, offering a significant increase in performance compared to the predecessors, presented by both previous Zen-generations as well as by AMDs Xeon processors. The new microprocessor generation was introduced in the recent months, featuring the following characteristics: up to 96 TSMC 5nm Zen 4 cores, 12 channels of DDR5 memory and up to 160 lanes of PCIe Gen5. AMD is continuing to push the envelope with its EPYC CPUs, and it is clear that they are here to stay.

The AMD EPYC processor offers a unique combination of high performance, low power consumption, and a versatile feature set. EPYC processors are designed with an emphasis on scalability, making them ideal for use in servers and other high-performance computing applications.

EPYC processors up to 94 cores and 192 threads, providing an incredible amount of processing power. They also support up to 2TB of memory and 160 PCIe lanes, making them capable of supporting a wide range of devices and peripherals.

The power efficiency is another important parameters of a good server infrastructure, since power consumptions is one of the main components that make up the hosting costs. EPYC processors are also designed with power efficiency in mind, featuring up to 360W of power consumption. This makes them ideal for use in data centers and other power-sensitive applications, making your business not only more profitable, but also more sustainable in long term prospective.

All this makes AMD EPYC processor a powerful and versatile option for a wide range of high-performance computing applications.

As you have already probably understood, the introduction of AMD EPYC Zen processors has been a bit of a change in the market of server microprocessors. For the first time a many years they offered a solution with more capacities for lower price tag then competitors do, starting to win more and more new customers.

If we, for example, have a look at the situation on the server market that was present before the recent introduction of the new generation of microprocessors by AMD, there was a noticeable lack of cores, with Intel Platinum with up to 40 cores and AMD with 64 cores. As cores play an especially significant role in building up efficient server solution meeting the modern day challenges, the has become the main accent in the development of new AMDs processors with impressive number of 96 cores, leaving the current Intel solutions far behind. Albeit this level of performance seems hard to superate, the new generation of Inter processors ist still to be released early in 2023. The question, who wlll dominate the server microprocessor market in the years to come remains open, but we can definitely say that the rapid advancing of AMD has greatly stimulated the market competition.

Read the original:

AMD EPYC from Zen1 to Zen4 How it will change the CPU market? - Hardware Secrets

Categories
Dedicated Server

C-DAC’s ‘Indus Copter’: The Homegrown Drone and the Story Behind It – Analytics India Magazine

The Ministry of Electronics and Information Technology (MeitY)s Centre for Development of Advanced Computing (C-DAC) is the leading organisation for research and development in IT, electronics, and related fields. The organisation is currently working in the fields of Exascale Computing, Quantum Computing, IoT, and Blockchain along with several others.

Recently C-DAC launched its own drone, Indus Copter, developed on a homegrown boardIndus IoT. C-DAC claims that the drone can help in finding the infected regions in agriculture fields, to check on the health of the lakes, or even help check the air-quality at different levels. To know more, Analytics India Magazine reached out to C-DAC.

When you look at the differences between the current board that we are offering and available boards in the market of similar functionalities, the major difference comes in the way that we support sensor interfaces.

When you look at other market products, if you have to integrate a sensor with that board, you need to stack up another board, which has the sensor on it. On the other hand, Indus IoT comes with six sensors which we are offering at the competitive price that the market generally offers in other boards without all these sensors onboard. So, thats the major USP that our board comes with.

In October 2021, Rajeev Chandrasekhar, the union minister in the Ministry of Electronics and IT, Ministry of Skill Development and Entrepreneurship visited C-DACs Bangalore facility and happened to launch our Indus IoT board during that time.

While launching, he suggested that why not make this board a drone controller. Acting on the suggestion, we started working on the drone. Keeping Indus IoT as the controller, we started looking for potential applications that the traditional drone developers at the time were not considering.

As a result, we stumbled upon distributed water quality in lakes as well as the agriculture fields affected with infections. There was no application to segregate such types of lakes or fields, and thus we started working on a drone keeping such applications in mind.

We need to understand that for all the drones or any equipment, there will be multiple use cases at the same time. We should not use it just because technology is available. It is based on the supply chain costing and requirements.

While our system comes under micro drones, the application platform does not change. As we also want to make this a development platform for people to learn drone applications, it also should be as cost-effective as possible for people to experiment.

The bandwidth requirement comes there when we transmit video through the drone, which we have taken care of. The entire data can be transmitted wireless via bluetooth. USB is only required when the drone needs some upgrade, and hence, the USB 2.0 is ideal according to our requirements.

Youre right, AI is a very important part of the drone ecosystem nowadays. We have a model coming up in a couple of months which will have on board AI capability.

We are also working on two approaches, one is a kind of edge computing at the drone and then we have a dedicated server for other processing. So, its kind of two computers working together in sync to get better inside from the data in real time. All this is coming up very quickly and we are also in discussion with an IIT professor who is working in this field.

It is not only the voting but the complete process which needs to be innovated, for example, securing the candidate entry to voting, or the verification of their identity. The blockchain will only ensure that the integrity is maintained and there is no question of no wrong claim or anything like that. The structure eliminates a single point of failure and inherently protects sensitive citizen and government data.

However, the execution part requires a lot of process to be defined which should be agreed upon by the Election Commission. When the administrative authorities agree on the large, then only it can move forward. Similar is the case of decentralised identity. The concept is revolutionary but India has around 1.3 billion people and it depends on administration on how they proceed with it now.

The rest is here:

C-DAC's 'Indus Copter': The Homegrown Drone and the Story Behind It - Analytics India Magazine

Categories
Dedicated Server

Web Hosting Service Market demand and future scope with Russia-Ukraine Crisis Impact Analysis Amazon Web Services, Endurance International Group, 1&1…

New Jersey (United States) Web Hosting Service Market report is an in-depth Market tracker with a comprehensive evaluation of the challenges manufacturers face in the current scenario to achieve a new growth cycle. As Web Hosting Service Industry manufacturers have moved toward digitization and data-oriented solutions, it is important to evaluate Web Hosting Service customer, business segments, products, aftermarket services, regions, and channels to understand the elasticity in each of the markets.

Get Sample Report With Graphs And Table: https://www.mraccuracyreports.com/report-sample/204215

The Web Hosting Service market player with the highest technological innovation will gain the greatest market share.Amazon Web Services, Endurance International Group, 1&1 IONOS, Liquid Web, Google, GoDaddy Operating Company, Hetzner Online, Alibaba Cloud, Equinix, WPEngine

Web Hosting Service Market Overview:

The Web Hosting Service industry report provides a complete analysis of the Web Hosting Service market, including its definition, size, growth, and key segments. The report analyzes the Web Hosting Service industry background, including the key drivers and restraints. The report also discusses the opportunities available in the Web Hosting Service market, including new product developments, market expansions, and market growth over the forecast period. Part of the current text comes from the previous paragraph, and the body of the current text continues; the report has been prepared based on the current data of the Web Hosting Service market.

Segmental Analysis:

The report has classified the global Web Hosting Service market into segments including product type and application. Every segment is evaluated based on share and growth rate. Besides, the analysts have studied the potential regions that may prove rewarding for the Web Hosting Service manufacturers in the coming years.

The regional analysis includes reliable predictions on value and volume, thereby helping market players to gain deep insights into the overall Web Hosting Service industry.

Market Segment by Type:

Shared Hosting, Dedicated Hosting, Virtual Private Server (VPS) Hosting, Colocation Hosting, Others

Market Segment by Application:

Intranet Website, Public Website, Mobile Application

The Web Hosting Service Market research report provides insight into the main drivers, challenges, opportunities, and risks of the market. Key players are profiled as well with their market shares in the global Web Hosting Service Market discussed. Overall, this report covers the historical situation, present status, and future prospects. The Web Hosting Service Market research report encompasses research methodologies, porters five forces analysis, product scope, and CAGR status. Finally, the report offers a quantitative analysis of key countries according to their revenue share and the latest technological advancements in each region.

Get a Special Discount:https://www.mraccuracyreports.com/check-discount/204215

The authors of the report have analyzed both developing and developed regions considered for the research and analysis of the global Web Hosting Service market. The regional analysis section of the report provides an extensive research study on different regional and country-wise Web Hosting Service industry to help players plan effective expansion strategies.

Regions Covered in the Global Web Hosting Service Market:

Cumulative Impact of COVID-19 on Web Hosting Service report:

Our ongoing Web Hosting Service report research amplifies our research framework to ensure the inclusion of underlying COVID-19 issues and potential paths forward. In addition, the updated study provides insights, analysis, estimations, and forecasts, considering the COVID-19 impact on the Web Hosting Service market.

The Porter Matrix evaluates and categorizes the Web Hosting Service vendors in the market based on Business Strategy (Industry Coverage, Business Growth, Financial Viability, and Channel Support) and Web Hosting Service Product Satisfaction (Ease of Use, Product Features, Value for Money, and Customer Support) that aids businesses in better decision making and understanding the competitive landscape.

Web Hosting Service Market Share Analysis:Knowing Web Hosting Services market share offers an idea of the size and competitiveness of the vendors for the base year. It reveals the Web Hosting Service market characteristics in accumulation, dominance, fragmentation, and amalgamation traits.

The report answers questions such as:

Buy Exclusive Reports:https://www.mraccuracyreports.com/checkout/204215

ABOUT US

MR Accuracy Reports is a Market Research and consulting company that accomplishes requirement of research agencies, small, medium and large corporations, global business leaders, government organizations, SMEs, Individual & Start-ups, top management consulting firms. MRA Reports also offers customized research reports, consulting services, and syndicated research reports.We delivers strategic market research reports, statistical survey, SWOT, PESTLE, crucial facts, employee details, industry analysis & forecast data on products & services, markets and companies.

We support in business decision making on features such as market entry strategies, market sizing, market share analysis, sales & revenue, technology trends, competitive analysis, product portfolio & application analysis etc. Our library of 750,000 + reports targets high growth emerging markets in the USA, Europe Middle East, Africa, Asia Pacific covering industries like IT, Telecom, Semiconductor, Chemical, Healthcare, Pharmaceutical, Energy & Power, Manufacturing, Automotive & Transportation, Food & Beverages etc.

We offer quantitative, hybrid, and qualitative market research across the globe and our researchers can recommend which would be most suitable for your venture. Our market research processes are verified and experienced, having been improved precisely for the B2B space in the industry.

We are glad to have our own research teamof excellent and experienced advisors and analysts who ingeniously tactic every plan in a tailored way to meet our client specific needs and to provide agile, impeccable, quality reports to our clients more than 70 countries; MRA Reports have been partner with several foremost universal brands.

Original post:

Web Hosting Service Market demand and future scope with Russia-Ukraine Crisis Impact Analysis Amazon Web Services, Endurance International Group, 1&1...

Categories
Dedicated Server

Three Things You Need to Know About the Microsoft Edge Password Manager – Softpedia News

Three Things You Need to Know About the Microsoft Edge Password Manager  Softpedia News

Read the original here:

Three Things You Need to Know About the Microsoft Edge Password Manager - Softpedia News

Categories
Dedicated Server

OVH Groupe : With a loan of 200 million euros, or over 200 million U.S. dollars, dedicated to its European investments, EIB supports the development…

The European Investment Bank (EIB) has granted OVHcloud, the European leader in cloud computing, dedicated funding for its investments in Europe. This EUR 200 million credit facility demonstrates the EIB's determination to actively support European digital players. This commitment is in line with the EU's priorities for strategic autonomy in the field of new technologies.

Complementary financial resources for a key sector

This first financing for a pure cloud player, for a maximum amount provided by the European Investment Bank (EIB), is intended to support the OVHcloud's Group's expansion in Europe, where it is positioning itself as the champion of an open, reversible, transparent and federated cloud ecosystem, all the while promoting the full and complete sovereignty of users over their data. In a booming market, OVHcloud intends to accelerate its international deployment with the opening of 15 new data centers by the end of 2024 in order to address new market and new geographies, and demonstrate its progress in terms of sustainable development. As such, 10 of these 15 new sites will open in Europe over the next 24 months.

This support actively contributes to the efforts undertaken by European public decision makers to strengthen Europe's strategic autonomy in its digital infrastructures, and particularly in the key activities of research and development and production, in a market that may exceed that of telecoms by 2027.

"Whether in software or hardware, innovation is at the heart of our company's DNA and guides each and every one of our actions in a sustainable, open and transparent approach," said Michel Paulin, CEO of OVHcloud. "This additional financial capacity provided by the EIB contributes to our Group's strategic roadmap and will enable us to promote a cloud that respects our European values faster, higher and stronger."

The cloud is the essential building block for the digitalization of all aspects of our economic and social lives," said EIB Vice-President Ambroise Fayolle. "By contributing to the financing of the most innovative players in Europe, the EIB is fully in line with European policy priorities: increasing our competitiveness and fostering our technological sovereignty. This EUR 200 million loan to the European leader in the sector is a significant demonstration of Europe's commitment to placing our digital expertise at the service of our strategic autonomy."

Infrastructures, technologies, talents and R&D

Over the last 12 months, OVHcloud has expanded its portfolio of IaaS and PaaS solutions, confirming its undisputed leadership in the market for a reliable and sustainable cloud. As the acceleration of its growth trajectory goes hand in hand with the implementation of new offers capable of meeting the most demanding technological challenges, the Group plans to take its technical capabilities even further in the areas of artificial intelligence, databases, security mechanisms and high-intensity calculations.

The new resources available within the framework of this financing will increase OVHcloud's capacities in the following domains:

Deploy the most sustainable cloud infrastructure on the market

As a leading pioneer serving a sustainable cloud, OVHcloud intends to leverage this additional funding to improve and innovate in cooling technologies, particularly adiabatic systems and new mechanisms in line with its industrial innovations.

Thanks to its fully integrated industrial model, the group intends to make the most of its 20+ years of expertise in the field of water-cooling systems to reduce its environmental impact.

Currently achieving the best ratios in the cloud industry in terms of energy efficiency (PUE between 1.1 and 1.3 compared to an industry average of 1.57) and water consumption (average WUE of 0.26 l/kWh compared to an industry average of 1.8), OVHcloud is ideally positioned to embrace strong commitments:

The EIB, whose shareholders are the 27 Member States of the European Union, is the EU's long-term financing institution. It finances high-quality investments that contribute to the achievement of the European Union's objectives, including innovation, to which it has earmarked more than three billion in 2021. Since 2019, the EIB has accelerated its transformation into a climate bank by committing to devote at least 50% of its financing to investments that contribute to the fight against climate change and the mitigation of its effects, starting in 2025. It has already largely achieved this objective in France, where it has devoted two thirds of its 9.2 billion in investments to projects in renewable energy, energy efficiency in buildings and the development of sustainable mobility.

More:

OVH Groupe : With a loan of 200 million euros, or over 200 million U.S. dollars, dedicated to its European investments, EIB supports the development...

Categories
Dedicated Server

Top 8 Ways to Fix Discord Connection Issues on Android and iPhone – Guiding Tech

Discord began as a simple chat app for gamers but quickly expanded with an impressive list of features and services. Although the service works well on all major platforms, it may occasionally experience connection issues, particularly on your phone.

Most of the time, you can fix such Discord connection issues by simply restarting the app. However, there are times when the problem is more serious. If you cannot use the Discord app on your Android or iPhone due to frequent connection issues, below are some fixes that will help.

Unlike most apps, Discord gives you access to several experimental features in its primary app. Since these features are experimental, Discord will likely run into issues when using them.

Discord labels such features with a Beta tag or a brief warning message. You should refrain from using such features if Discord frequently runs into connection issues on your Android or iPhone.

Discord connection problems can also occur if Discord fails to authenticate your account. This usually happens right after you change your password or enable two-factor authentication in Discord. If thats the case, signing out of the Discord app and signing back in should help resolve the issue.

Step 1: Open the Discord app on your phone and tap the profile icon in the bottom right corner.

Step 2: Scroll down to the Account section and tap on Log Out. Select Log Out again to confirm.

Sign back into your Discord account and see if the app runs into connection issues again.

Having your phone set to the wrong date or time may not seem like a big deal, but it can lead to many problems. Importantly, it can prevent apps from communicating with the server. One way to avoid such problems is to set your phone to the network-provided date and time.

Step 1: Open the Settings app and navigate to General Management.

Step 2: Tap on Date and time. Then, enable the toggle for Automatic date and time.

Step 1: Launch the Settings app on your iPhone and navigate to General.

Step 2: Tap on Date & Time. Toggle on the switch next to Set Automatically.

Are you using a VPN connection? If so, Discord is likely facing connection issues because of it. To rule out this possibility, temporarily disable your VPN and try using Discord again.

By default, your phone uses the DNS server your ISP (Internet Service Provider) provides. Problems with those servers can also lead to various connection errors. Fortunately, plenty of free public DNS servers provide better reliability and internet browsing speeds. You can switch to a custom DNS server to see if that helps.

Step 1: Open the Settings app on your phone and navigate to Connections.

Step 2: Tap on More connection settings and select Private DNS from the following menu.

Step 3: Select Private DNS provider hostname. Type dns.google in the text field and tap on Save.

The steps for changing the DNS server may differ depending on your current Android version. If the above steps dont work, refer to our dedicated guide on how to change the DNS server on Android.

Step 1: Open the Settings on your iPhone and navigate to Wi-Fi. Tap the info icon next to your Wi-Fi network.

Step 2: Scroll down to tap on Configure DNS and select Manual from the following screen.

Step 3: Tap on the minus icon to delete the prefilled entries under DNS servers.

Step 4: Tap Add Server and type 8.8.8.8 and 8.8.4.4 in the text box. Then, tap on Save in the top-right corner.

Damaged or outdated cache data can degrade an apps performance and prevent it from functioning properly. Clearing the app cache is safe as it does not affect any important app data.

Use these steps to clear the Discord app cache on your Android or iPhone.

Step 1: In the Discord app, tap the profile icon in the bottom right corner.

Step 2: Scroll down to Dev Only section and tap the Clear Caches option.

Restart Discord after this and try to use it again.

You might be one of having issues with the Discord app. If the Discord server is undergoing problems, the app will run into connection issues, and theres nothing you can do about it. Discord maintains a server status page where you can view outage reports.

Check Discord Server Status

A yellow or red bar indicates that Discord is experiencing a partial or major outage. Wait for Discord to resolve the issue, and the app should work properly.

Lastly, youll need to update the Discord app to its latest version and see if it has resolved your issue. Head over to App Store or Google Play Store and update the app.

Discord for Android

Discord for iPhone

Another reason why Discord may crash or experience connection problems is if youve enrolled yourself in Discords app beta program. For a reliable experience, consider leaving the beta program from Play Store or the TestFlight app on your iPhone and switching to the stable version of the app.

Such connection problems with the Discord app arent just limited to mobile devices. Thankfully, its nothing you cant fix with the solutions mentioned above. Go through them and let us know which one works for you in the comments below.

Read more:

Top 8 Ways to Fix Discord Connection Issues on Android and iPhone - Guiding Tech

Categories
Co-location

Tip of the Iceberg podcast UNFI, Square Roots executives on co-location – The Packer

Tip of the Iceberg podcast UNFI, Square Roots executives on co-location  The Packer

See the article here:

Tip of the Iceberg podcast UNFI, Square Roots executives on co-location - The Packer

Categories
Co-location

Americas Data Center Colocation Market to be Worth USD 10.6 Billion by 2027. Industry Insights and Competitive Analysis 2027 – Arizton – PR Newswire

CHICAGO, Nov. 29, 2022 /PRNewswire/ --According to Arizton's latest research report, the data center colocation market in Americas is to grow at a CAGR of 5.34% during 2022-2027. Virginia is considered the data center capital of the world. It is the largest contributor to data center floor space in the Americas and added more than 3 million square feet in more than 15 data center facilities. Virginia is followed by Georgia and California. Colocation service provider Switch is the major contributor to the area, with around two million square feet, followed by Cologix and STACK Infrastructure.

The region has a presence of technical parks, special economic zones, and free trade zones that provide investment support or tax incentives in the development of data centers across the region. Some industrial parks include Tahoe Reno Industrial Center (TRI) and Elk Grove, Industrial Park. The Americas data center colocation market by area is expected to reach 8,495 thousand square feet by 2027, growing at a CAGR of 5.17%.

Data Center Colocation Market in Americas Report Scope

Report Attributes

Details

Market Size (2027)

USD 10.6 Billion

Market Size (2021)

USD 7.75 Billion

CAGR (2021-2027)

5.34%

Market Size - Area (2027)

8 Million Sq. Ft

Market Size Power Capacity (2027)

1,317.5 MW

Base Year

2021

Forecast Year

2022-2027

Market Segmentation

Colocation Service, Infrastructure, Electrical Infrastructure, Mechanical Infrastructure, Cooling Systems, Cooling Technique, General Construction, Tier Standard, and Region

Geographic Analysis

North America and Latin America

Countries Covered

US, Canada, Latin America, Brazil, Mexico, Chile, Columbia, and Other Latin American Countries

Market Dynamics

Tax incentives, increase in colocation investment, renewable energy drives data center growth, adoption of IoT & big data and smart city developments, and rising deployment of submarine and inland cables

Competitive Landscape

The business overview, service offerings, and key news

CompaniesProfiled in the Report

Prominent Colocation Investors: CyrusOne, Digital Realty, Equinix, GTD Per, HostDime, IPXON Networks, Lumen Technologies, NTT Global Data Centers, OData, QTS Reality Trust, Scala Data Centers, Switch, and Vantage Data Centers

Other Prominent Vendors: 365 Data Centers, Aligned, American Tower, Ava Telecom, CloudHQ, Cologix, Compass Datacenters, COPT Data Center Solutions, CoreSite, Cyxtera Technologies, DartPoints, DC BLOX, EdgeCore Internet Real Estate, EdgePresence, Element Critical, eStruxture Data Centers, fifteenfortyseven Critical Systems Realty (1547), Flexential, GIGA Data Centers, InterNexa, Iron Mountain, Millicom, Prime Data Centers, Quntico Data Center, Sabey Data Centers, Skybox Datacenters, STACK Infrastructure, Stream Data Centers, T5 Data Centers, Telmex, Urbacon Data Centre Solutions, and Vapor IO

NewEntrants: AUBix, Cirrus Data Services, DSTOR, Eastlink, EdgeX Data Centers, Enovum Data Centers, Gatineau Data Hub, Intermarket Properties, Novva, PointOne, QScale, Quantum Loophole, and Yondr

Page number

401

Customization Request

If our report does not include the information you are searching for, you may contact us to have a report tailored to your specific business needs https://www.arizton.com/customize-report/3557

To make the most of the opportunities, market vendors should focus more on the growth prospects in the fast-growing segments while maintaining their positions in the slow-growing segments.Request for free sample report now: https://www.arizton.com/request-sample/3557

In the Americas, investments in submarine cables have increased considerably over the years, with the government and enterprises continuously strengthening fiber infrastructure for better connectivity with other countries. Several telecommunication providers and hyperscale data center operators invest in cables to improve network connectivity within the country. The adoption of cloud, big data, and IoT technologies has strengthened the need for strong fixed broadband connectivity in the last five years. Along with submarine cables, the market is also witnessing a growth in data storage and connectivity demand due to the growing inland connectivity options.

The North American data center market leads growth in the overall industry, with early availability and adoption of innovative technology and investments from colocation service providers, hyperscale operators, enterprises, and government agencies. Investments in North America are driven by the availability of land, governmental support, data protection laws, and tax incentives by the state governments. In North America, the U.S. dominates the Americas data center colocation market, followed by Canada, with increased investments from colocation providers, hyperscale data center operators, enterprises, and government agencies in data center facilities, adopting redundant power backup infrastructure. Northern Virginia, Georgia, California, Texas, Arizona, Ontario, Montreal, Toronto, and Richmond are favorable destinations for investors in North America.

In Latin America, countries like Brazil are witnessing the rapid adoption of renewable energy, which leads to the growth of the facilities; in Mexico and other Latin American countries, the demand for centers was driven by the growth of the gaming industry and the special economic zones.

The rapid investment in 5G technology and its deployment will increase the number of connected devices, leading to the generation of a substantial amount of data, further increasing investments in edge data centers across regions for low latency and ease of accessibility to data device-to-device communications. American Countries have deployed 5G network services, and some are on a 5G trial basis. AT&T, T-Mobile, CenturyLink, TELUS, Rogers Communications, Bell, SaskTel, Nokia, SubTel, Alvis, Claro, Antel, Entel, and Ericsson are some of the companies which are involved in the deployment of the 5G network services across the region.

In the Americas, countries such as the U.S., Canada, Chile, and Uruguay have commercially deployed 5G network services. Additionally, Brazil, Colombia, Argentina, Mexico, Peru, and other Latin American countries are in the stage of 5G planning, trials, and yet-to-deploy commercial services during the forecast period.

Prominent Colocation Investors

Other Prominent Vendors

NewEntrants

Learn more about the additionaltrends impacting the future of the market and the positive and negative consequences on the businesses,Download the free Sample Report.

Market Segmentation

Colocation Service

Infrastructure

Electrical Infrastructure

Mechanical Infrastructure

Cooling Systems

Cooling Technique

General Construction

Tier Standard

Region

Check Out Some of the Top Selling Related Reports:

Europe Data Center Colocation Market - The Europe data center colocation market is estimated to reach USD 11.75 billion by 2027 from USD 8.20 billion in 2021. The key factors driving the Europe data center colocation market are the growing adoption of artificial intelligence, growing adoption of district heating systems, growing adoption of district heating systems, increase in sustainable initiatives, growing innovative technologies, and rising adoption of advanced IT infrastructure.

APAC Data Center Colocation Market - The APAC data center colocation market size by investment was valued at USD 12.06 billion in 2021 and is expected to reach USD 18.23 billion by 2027. With the construction of additional data centers, local colocation providers in each country also increase their presence, thus boosting the market growth.

Latin America Data Center Colocation Market - The Latin America data center colocation market is expected to grow at a CAGR of over 6% from 2022 to 2027 and is expected to cross USD 1 billion in 2027 from USD 850 million in 2021.The Latin America data center colocation market is witnessing significant growth in procuring lithium-ion UPS systems. Most edge facility deployment will include single-phase lithium-ion UPS and monitored and switched PDUs. Therefore, the emergence of edge facilities will significantly boost market growth.

Data Center Colocation Market - The global data center colocation market size is expected to reach USD 43.18 billion by 2027 from USD 29.59 in 2021, growing at a CAGR of 6.5% from 2021 to 2027.The market witnessed supply chain-related challenges, impacting the timely deliverable of infrastructure in 2021 across IT infrastructure and support infrastructure providers. Vendors have taken several measures to ensure the timely supply of their products, reducing the impact to a greater extent. In addition, the invasion of Russia over Ukraine also created uncertainty across the European region, which created supply chain issues and oil shortages that led to delays in the operation of facilities. Also, most economies worldwide are facing high inflation rates and unemployment which is likely to impact the construction and growth of the data center colocation market.

About Us:

Arizton Advisory and Intelligence is an innovative and quality-driven firm that offers cutting-edge research solutions to clients worldwide. We excel in providing comprehensive market intelligence reports and advisory and consulting services.

We offer comprehensive market research reports on consumer goods & retail technology, automotive and mobility, smart tech, healthcare, life sciences, industrial machinery, chemicals, materials, I.T. and media, logistics, and packaging. These reports contain detailed industry analysis, market size, share, growth drivers, and trend forecasts.

Arizton comprises a team of exuberant and well-experienced analysts who have mastered generating incisive reports. Our specialist analysts possess exemplary skills in market research. We train our team in advanced research practices, techniques, and ethics to outperform in fabricating impregnable research reports.

Click Here to Contact Us

Call: +1-312-235-2040 +1 302 469 0707Mail: [emailprotected]

Photo:https://mma.prnewswire.com/media/1957581/Americas_Data_Center_Colocation_Market.jpgLogo: https://mma.prnewswire.com/media/818553/Arizton_Logo.jpg

SOURCE Arizton Advisory & Intelligence

More:

Americas Data Center Colocation Market to be Worth USD 10.6 Billion by 2027. Industry Insights and Competitive Analysis 2027 - Arizton - PR Newswire

Categories
Co-location

GDS partners with DCConnect to deliver advanced connectivity solutions, strengthening GDS’ presence in Southeast Asia and beyond – Yahoo Finance

Partnership to provide international customers with extended connectivity

HONG KONG, Nov. 30, 2022 /PRNewswire/ -- GDS, a leading developer and operator of high-performance data centers, announced a partnership with DCConnect, a prominent Software-Defined Networking (SDN) technology provider. By signing a memorandum of understating (MoU) with DCConnect, both parties will jointly develop innovative Network Automation and advanced connectivity solutions for customers across the Greater China, Asia-Pacific and Middle East regions. GDS has moved forward to offer high quality automated network services to its customers, and to expand its presence in Southeast Asia (SEA) and the rest of the world.

Thanks to GDS' total IT infrastructure solutions and DCConnect's capabilities on connectivity automation, the new partnership enables GDS to offer high-quality data center interconnection solutions to customers and allows them to benefit from seamless global connectivity, faster speed to market, higher cost-efficiencies, and rapid provisioning with advanced technology. Through this strategic alliance, both parties will co-create three innovative automated connectivity solutions, namely Virtual Cross Connect, GDS Network Automation and GDS Global Marketplace.

GDS, with its overseas operations headquartered in Singapore, serves as a bridge to connect customers from SEA to the rest of the world. The strategic alliance with DCConnect will empower GDS' customers the ability to enjoy an extensive global network in over 1,000 data centers across 61 countries. The new solutions will facilitate enterprises to expand their businesses to the world and achieve global connectivity with single-point management.

"We value the DCConnect's capabilities on connectivity automation with impressive technology. We believe this will benefit GDS customers by offering innovative solutions and technology to support the advanced connectivity services. Through our partnership with DCConnect, we enable our customers to have on-demand connectivity to data centers, network resources and cloud services globally." said Jamie Khoo, the Chief Operating Officer of GDS.

Story continues

"GDS and DCConnect are working hand-in-hand to ensure the Network Automation and advanced connectivity solutions are delivered smoothly," said Charmond Tsang, the Chief Commercial Officer of DCConnect. "Our mission is to leverage advanced SDN to create the autonomous network ecosystem the partners are incentivized to involve, connect network and bandwidth resources to address today's networking challenges".

SEA's digital economy continues to thrive, leading to a stronger demand for digital infrastructure and the need for global connectivity that facilitates digital infrastructure development. Following GDS' S-J-B (Singapore-Johor-Batam) strategy, including developing hyperscale data center projects in Nusajaya Tech Park in Johor, Malaysia and Nongsa Digital Park in Batam, Indonesia, the partnership with DCConnect has marked another key milestone in driving the prosperity of SEA's digital economy and highlights the company's continued vision to expand beyond colocation services in SEA to an all-rounded IT solution, encompassing colocation services, network and cloud connectivity.

The partnership creates more opportunities and confidence for GDS to continue to improve and expand its data center platform and substantiates its commitment in supporting customers' digital transformation. Looking ahead, building upon the key advantage of our well-established data center platform in China, GDS will persist to strengthen high quality services to SEA and global customers, and to support the rapid development of SEA's digital economy.

About GDS Holdings Limited

GDS Holdings Limited (NASDAQ: GDS; HKEX: 9698) is a leading developer and operator of high-performance data centers in China. The Company's facilities are strategically located in China's primary economic hubs where demand for high-performance data center services is concentrated. The Company also builds, operates and transfers data centers at other locations selected by its customers in order to fulfill their broader requirements. The Company's data centers have large net floor area, high power capacity, density and efficiency, and multiple redundancies across all critical systems. GDS is carrier and cloud-neutral, which enables its customers to access all the major PRC telecommunications networks, as well as the largest PRC and global public clouds which are hosted in many of its facilities. The Company offers co-location and a suite of value-added services, including managed hybrid cloud services through direct private connection to leading public clouds, managed network services, and, where required, the resale of public cloud services. The Company has a 21-year track record of service delivery, successfully fulfilling the requirements of some of the largest and most demanding customers for outsourced data center services in China. The Company's customer base consists predominantly of hyperscale cloud service providers, large internet companies, financial institutions, telecommunications carriers, IT service providers, and large domestic private sector and multinational corporations.

About DCConnect

As one of the recognized brands in the industry, DCConnect leverages advanced SDN and blockchain technology to create the first autonomous network ecosystem whereby the partners are incentivized to involve and connect network and bandwidth resources to address today's networking challenges. DCConnect's solution was further enhanced and extended by the implementation of more than 1,000 Data Center PoPs in North America, Europe, APAC, SE Asia and MENA via selected partners, and access to over 61 countries. For more details, please visit our website https://www.dcconnectglobal.com/

SOURCE GDS Holdings Limited

More:

GDS partners with DCConnect to deliver advanced connectivity solutions, strengthening GDS' presence in Southeast Asia and beyond - Yahoo Finance