top of page

Search results

675 results found with an empty search

  • AlgoSec | Drovorub’s Ability to Conceal C2 Traffic And Its Implications For Docker Containers

    As you may have heard already, the National Security Agency (NSA) and the Federal Bureau of Investigation (FBI) released a joint... Cloud Security Drovorub’s Ability to Conceal C2 Traffic And Its Implications For Docker Containers Rony Moshkovich 2 min read Rony Moshkovich Short bio about author here Lorem ipsum dolor sit amet consectetur. Vitae donec tincidunt elementum quam laoreet duis sit enim. Duis mattis velit sit leo diam. Tags Share this article 8/15/20 Published As you may have heard already, the National Security Agency (NSA) and the Federal Bureau of Investigation (FBI) released a joint Cybersecurity Advisory about previously undisclosed Russian malware called Drovorub. According to the report, the malware is designed for Linux systems as part of its cyber espionage operations. Drovorub is a Linux malware toolset that consists of an implant coupled with a kernel module rootkit, a file transfer and port forwarding tool, and a Command and Control (C2) server. The name Drovorub originates from the Russian language. It is a complex word that consists of 2 roots (not the full words): “drov” and “rub” . The “o” in between is used to join both roots together. The root “drov” forms a noun “drova” , which translates to “firewood” , or “wood” . The root “rub” /ˈruːb/ forms a verb “rubit” , which translates to “to fell” , or “to chop” . Hence, the original meaning of this word is indeed a “woodcutter” . What the report omits, however, is that apart from the classic interpretation, there is also slang. In the Russian computer slang, the word “drova” is widely used to denote “drivers” . The word “rubit” also has other meanings in Russian. It may mean to kill, to disable, to switch off. In the Russian slang, “rubit” also means to understand something very well, to be professional in a specific field. It resonates with the English word “sharp” – to be able to cut through the problem. Hence, we have 3 possible interpretations of ‘ Drovorub ‘: someone who chops wood – “дроворуб” someone who disables other kernel-mode drivers – “тот, кто отрубает / рубит драйвера” someone who understands kernel-mode drivers very well – “тот, кто (хорошо) рубит в драйверах” Given that Drovorub does not disable other drivers, the last interpretation could be the intended one. In that case, “Drovorub” could be a code name of the project or even someone’s nickname. Let’s put aside the intricacies of the Russian translations and get a closer look into the report. DISCLAIMER Before we dive into some of the Drovorub analysis aspects, we need to make clear that neither FBI nor NSA has shared any hashes or any samples of Drovorub. Without the samples, it’s impossible to conduct a full reverse engineering analysis of the malware. Netfilter Hiding According to the report, the Drovorub-kernel module registers a Netfilter hook. A network packet filter with a Netfilter hook ( NF_INET_LOCAL_IN and NF_INET_LOCAL_OUT ) is a common malware technique. It allows a backdoor to watch passively for certain magic packets or series of packets, to extract C2 traffic. What is interesting though, is that the driver also hooks the kernel’s nf_register_hook() function. The hook handler will register the original Netfilter hook, then un-register it, then re-register the kernel’s own Netfilter hook. According to the nf_register_hook() function in the Netfilter’s source , if two hooks have the same protocol family (e.g., PF_INET ), and the same hook identifier (e.g., NF_IP_INPUT ), the hook execution sequence is determined by priority. The hook list enumerator breaks at the position of an existing hook with a priority number elem->priority higher than the new hook’s priority number reg->priority : int nf_register_hook ( struct nf_hook_ops * reg) { struct nf_hook_ops * elem; int err; err = mutex_lock_interruptible( & nf_hook_mutex); if (err < 0 ) return err; list_for_each_entry(elem, & nf_hooks[reg -> pf][reg -> hooknum], list) { if (reg -> priority < elem -> priority) break ; } list_add_rcu( & reg -> list, elem -> list.prev); mutex_unlock( & nf_hook_mutex); ... return 0 ; } In that case, the new hook is inserted into the list, so that the higher-priority hook’s PREVIOUS link would point into the newly inserted hook. What happens if the new hook’s priority is also the same, such as NF_IP_PRI_FIRST – the maximum hook priority? In that case, the break condition will not be met, the list iterator list_for_each_entry will slide past the existing hook, and the new hook will be inserted after it as if the new hook’s priority was higher. By re-inserting its Netfilter hook in the hook handler of the nf_register_hook() function, the driver makes sure the Drovorub’s Netfilter hook will beat any other registered hook at the same hook number and with the same (maximum) priority. If the intercepted TCP packet does not belong to the hidden TCP connection, or if it’s destined to or originates from another process, hidden by Drovorub’s kernel-mode driver, the hook will return 5 ( NF_STOP ). Doing so will prevent other hooks from being called to process the same packet. Security Implications For Docker Containers Given that Drovorub toolset targets Linux and contains a port forwarding tool to route network traffic to other hosts on the compromised network, it would not be entirely unreasonable to assume that this toolset was detected in a client’s cloud infrastructure. According to Gartner’s prediction , in just two years, more than 75% of global organizations will be running cloud-native containerized applications in production, up from less than 30% today. Would the Drovorub toolset survive, if the client’s cloud infrastructure was running containerized applications? Would that facilitate the attack or would it disrupt it? Would it make the breach stealthier? To answer these questions, we have tested a different malicious toolset, CloudSnooper, reported earlier this year by Sophos. Just like Drovorub, CloudSnooper’s kernel-mode driver also relies on a Netfilter hook ( NF_INET_LOCAL_IN and NF_INET_LOCAL_OUT ) to extract C2 traffic from the intercepted TCP packets. As seen in the FBI/NSA report, the Volatility framework was used to carve the Drovorub kernel module out of the host, running CentOS. In our little lab experiment, let’s also use CentOS host. To build a new Docker container image, let’s construct the following Dockerfile: FROM scratch ADD centos-7.4.1708-docker.tar.xz / ADD rootkit.ko / CMD [“/bin/bash”] The new image, built from scratch, will have the CentOS 7.4 installed. The kernel-mode rootkit will be added to its root directory. Let’s build an image from our Dockerfile, and call it ‘test’: [root@localhost 1]# docker build . -t test Sending build context to Docker daemon 43.6MB Step 1/4 : FROM scratch —> Step 2/4 : ADD centos-7.4.1708-docker.tar.xz / —> 0c3c322f2e28 Step 3/4 : ADD rootkit.ko / —> 5aaa26212769 Step 4/4 : CMD [“/bin/bash”] —> Running in 8e34940342a2 Removing intermediate container 8e34940342a2 —> 575e3875cdab Successfully built 575e3875cdab Successfully tagged test:latest Next, let’s execute our image interactively (with pseudo-TTY and STDIN ): docker run -it test The executed image will be waiting for our commands: [root@8921e4c7d45e /]# Next, let’s try to load the malicious kernel module: [root@8921e4c7d45e /]# insmod rootkit.ko The output of this command is: insmod: ERROR: could not insert module rootkit.ko: Operation not permitted The reason why it failed is that by default, Docker containers are ‘unprivileged’. Loading a kernel module from a docker container requires a special privilege that allows it doing so. Let’s repeat our experiment. This time, let’s execute our image either in a fully privileged mode or by enabling only one capability – a capability to load and unload kernel modules ( SYS_MODULE ). docker run -it –privileged test or docker run -it –cap-add SYS_MODULE test Let’s load our driver again: [root@547451b8bf87 /]# insmod rootkit.ko This time, the command is executed silently. Running lsmod command allows us to enlist the driver and to prove it was loaded just fine. A little magic here is to quit the docker container and then delete its image: docker rmi -f test Next, let’s execute lsmod again, only this time on the host. The output produced by lsmod will confirm the rootkit module is loaded on the host even after the container image is fully unloaded from memory and deleted! Let’s see what ports are open on the host: [root@localhost 1]# netstat -tulpn Active Internet connections (only servers) Proto Recv-Q Send-Q Local Address Foreign Address State PID/Program name tcp 0 0 0.0.0.0:22 0.0.0.0:* LISTEN 1044/sshd With the SSH server running on port 22 , let’s send a C2 ‘ping’ command to the rootkit over port 22 : [root@localhost 1]# python client.py 127.0.0.1 22 8080 rrootkit-negotiation: hello The ‘hello’ response from the rootkit proves it’s fully operational. The Netfilter hook detects a command concealed in a TCP packet transferred over port 22 , even though the host runs SSH server on port 22 . How was it possible that a rootkit loaded from a docker container ended up loaded on the host? The answer is simple: a docker container is not a virtual machine. Despite the namespace and ‘control groups’ isolation, it still relies on the same kernel as the host. Therefore, a kernel-mode rootkit loaded from inside a Docker container instantly compromises the host, thus allowing the attackers to compromise other containers that reside on the same host. It is true that by default, a Docker container is ‘unprivileged’ and hence, may not load kernel-mode drivers. However, if a host is compromised, or if a trojanized container image detects the presence of the SYS_MODULE capability (as required by many legitimate Docker containers), loading a kernel-mode rootkit on a host from inside a container becomes a trivial task. Detecting the SYS_MODULE capability ( cap_sys_module ) from inside the container: [root@80402f9c2e4c /]# capsh –print Current: = cap_chown, … cap_sys_module, … Conclusion This post is drawing a parallel between the recently reported Drovorub rootkit and CloudSnooper, a rootkit reported earlier this year. Allegedly built by different teams, both of these Linux rootkits have one mechanism in common: a Netfilter hook ( NF_INET_LOCAL_IN and NF_INET_LOCAL_OUT ) and a toolset that enables tunneling of the traffic to other hosts within the same compromised cloud infrastructure. We are still hunting for the hashes and samples of Drovorub. Unfortunately, the YARA rules published by FBI/NSA cause False Positives. For example, the “Rule to detect Drovorub-server, Drovorub-agent, and Drovorub-client binaries based on unique strings and strings indicating statically linked libraries” enlists the following strings: “Poco” “Json” “OpenSSL” “clientid” “—–BEGIN” “—–END” “tunnel” The string “Poco” comes from the POCO C++ Libraries that are used for over 15 years. It is w-a-a-a-a-y too generic, even in combination with other generic strings. As a result, all these strings, along with the ELF header and a file size between 1MB and 10MB, produce a false hit on legitimate ARM libraries, such as a library used for GPS navigation on Android devices: f058ebb581f22882290b27725df94bb302b89504 56c36bfd4bbb1e3084e8e87657f02dbc4ba87755 Nevertheless, based on the information available today, our interest is naturally drawn to the security implications of these Linux rootkits for the Docker containers. Regardless of what security mechanisms may have been compromised, Docker containers contribute an additional attack surface, another opportunity for the attackers to compromise the hosts and other containers within the same organization. The scenario outlined in this post is purely hypothetical. There is no evidence that supports that Drovorub may have affected any containers. However, an increase in volume and sophistication of attacks against Linux-based cloud-native production environments, coupled with the increased proliferation of containers, suggests that such a scenario may, in fact, be plausible. Schedule a demo Related Articles Navigating Compliance in the Cloud AlgoSec Cloud Mar 19, 2023 · 2 min read 5 Multi-Cloud Environments Cloud Security Mar 19, 2023 · 2 min read Convergence didn’t fail, compliance did. Mar 19, 2023 · 2 min read Speak to one of our experts Speak to one of our experts Work email* First name* Last name* Company* country* Select country... Short answer* By submitting this form, I accept AlgoSec's privacy policy Schedule a call

  • AlgoSec | How to improve network security (7 fundamental ways)

    As per Cloudwards , a new organization gets hit by ransomware every 14 seconds. This is despite the fact that global cybersecurity... Cyber Attacks & Incident Response How to improve network security (7 fundamental ways) Tsippi Dach 2 min read Tsippi Dach Short bio about author here Lorem ipsum dolor sit amet consectetur. Vitae donec tincidunt elementum quam laoreet duis sit enim. Duis mattis velit sit leo diam. Tags Share this article 8/9/23 Published As per Cloudwards , a new organization gets hit by ransomware every 14 seconds. This is despite the fact that global cybersecurity spending is up and is around $150 billion per year. That’s why fortifying your organization’s network security is the need of the hour. Learn how companies are proactively improving their network security with these best practices. 7 Ways to improve network security: ` 1. Change the way you measure cyber security risk Cyber threats have evolved with modern cybersecurity measures. Thus, legacy techniques to protect the network are not going to work. These techniques include measures like maturity assessment, compliance attestation, and vulnerability aging reports, among other things. While they still have a place in cybersecurity, they’re insufficient. To level up, you need greater visibility over the various risk levels. This visibility will allow you to deploy resources as per need. At the bare minimum, companies need a dashboard that lists real-time data on the number of applications, the region they’re used in, the size and nature of the database, the velocity of M&A, etc. IT teams can make better decisions since the impact of new technologies like big data and AI falls unevenly on organizations. Along with visibility, companies need transparency and precision on how the tools behave against cyberattacks. You can use the ATT&CK Framework developed by MITRE Corporation, the most trustworthy threat behavior knowledge base available today. Use it as a benchmark to test the tools’ efficiency. Measuring the tools this way helps you prepare well in advance. Another measurement technique you must adopt is measuring performance against low-probability, high-consequence attacks. Pick the events that you conclude have the least chance of occurring. Then, test the tools on such attacks. Maersk learned this the hard way. In the notPetya incident , the company came pretty close to losing all of its IT data. Imagine the consequence it’d have on the company that handles the world’s supply chain. Measuring is the only way to learn whether your current cybersecurity arrangements meet the need. 2. Use VLAN and subnets An old saying goes, ‘Don’t keep all your eggs in the same basket.’ Doing so would mean losing the basket, losing all your eggs. That is true for IT networks as well. Instead of treating your network as a whole, divide it into multiple subnetworks. There are various ways you can do that: VLAN or Virtual LAN is one of them. VLAN helps you segment a physical network without investing in additional servers or devices. The different segments can then be handled differently as per the need. For example, the accounting department will have a separate segment, and so will the marketing and sales departments. This segmentation helps enhance security and limit damage. VLAN also helps you prioritize data, networks, and devices. There will be some data that is more critical than others. The more critical data warrant better security and protection, which you can provide through a VLAN partition. Subnets are another way to segment networks. As opposed to VLAN, which separates the network at the switch level, subnets partition the network at IP level or level 3. The various subnetworks can then communicate with each other and third-party networks over IP. With the adoption of technologies like the Internet of Things (IoT), network segmentation is only going to get more critical. Each device used for data generation, like smartwatches, sensors, and cameras, can act as an entry point to your network. If the entry points are connected to sensitive data like consumers’ credit cards, it’s a recipe for disaster. You can implement VLAN or subnets in such a scenario. 3. Use NGFWs for cloud The firewall policy is at the core of cybersecurity. They’re essentially the guardians who check for intruders before letting the traffic inside the network. But with the growth of cloud technologies and the critical data they hold, traditional firewalls are no longer reliable. They can easily be passed by modern malware. You must install NGFWs or Next Generation Firewalls in your cloud to ensure total protection. These firewalls are designed specifically to counter modern cyberattacks. An NGFW builds on the capabilities of a traditional firewall. Thus, it inspects all the incoming traffic. But in addition, it has advanced capabilities like IPS (intrusion prevention system), NAT (network address translation), SPI (stateful protocol inspection), threat intelligence feeds, container protection, and SSL decryption, among others. NGFWs are also both user and application-aware. This allows them to provide context on the incoming traffic. NGFWs are important not only for cloud networks but also for hybrid networks . Malware from the cloud could easily transition into physical servers, posing a threat to the entire network. When selecting a next-gen firewall for your cloud, consider the following security features: The speed at which the firewall detects threats. Ideally, it should identify the attacks in seconds and detect data breaches within minutes. The number of deployment options available. The NGFW should be deployable on any premise, be it a physical, cloud, or virtual environment. Also, it should support different throughput speeds. The home network visibility it offers. It should report on the applications and websites, location, and users. In addition, it should show threats across the separate network in real-time. The detection capabilities. It goes without saying, but the next-gen firewall management should detect novel malware quickly and act as an anti-virus. Other functionalities that are core security requirements. Every business is different with its unique set of needs. The NGFW should fulfill all the needs. 4. Review and keep IAM updated To a great extent, who can access what determines the security level of a network. As a best practice, you should grant access to users as per their roles and requirement — nothing less, nothing more. In addition, it’s necessary to keep IAM updated as the role of users evolves. IAM is a cloud service that controls unauthorized access for users. The policies defined in this service either grant or reject resource access. You need to make sure the policies are robust. This requires you to review your IT infrastructure, the posture, and the users at the organization. Then create IAM policies and grant access as per the requirement. As already mentioned, users should have remote access to the resources they need. Take that as a rule. Along with that, uphold these important IAM principles to improve access control and overall network security strategy: Zero in on the identity It’s important to identify and verify the identity of every user trying to access the network. You can do that by centralizing security control on both user and service IDs. Adopt zero-trust Trust no one. That should be the motto when handling a company’s network security. It’s a good practice to assume every user is untrustworthy unless proven otherwise. Therefore, have a bare minimum verification process for everyone. Use MFA MFA or multi-factor authentication is another way to safeguard network security. This could mean they have to provide their mobile number or OTA pin in addition to the password. MFA can help you verify the user and add an additional security layer. Beef up password Passwords are a double-edged sword. They protect the network but also pose a threat when cracked. To prevent this, choose strong passwords meeting a certain strength level. Also, force users to update their unique passwords regularly. If possible, you can also go passwordless. This involves installing email-based or biometric login systems. Limit privileged accounts Privileged accounts are those accounts that have special capabilities to access the network. It’s important to review such accounts and limit their number. 5. Always stay in compliance Compliance is not only for pleasing the regulators. It’s also for improving your network security. Thus, do not take compliance for granted; always make your network compliant with the latest standards. Compliance requirements are conceptualized after consulting with industry experts and practitioners. They have a much better authoritative position to discuss what needs to be done at an industry level. For example, in the card sector, it’s compulsory to have continuous penetration testing done. So, when fulfilling a requirement, you adopt the best practices and security measures. The requirements don’t remain static. They evolve and change as loopholes emerge. The new set of compliance frameworks helps ensure you’re up-to-date with the latest standards. Compliance is also one of the hardest challenges to tackle. That’s because there are various types of compliances. There are government-, industry-, and product-level compliance requirements that companies must keep up with. Moreover, with hybrid networks and multi-cloud workflows, the task only gets steeper. Cloud security management tools can help in this regard to some extent. Since they grant a high level of visibility, spotting non-compliance becomes easier. Despite the challenges, investing more is always wise to stay compliant. After all, your business reputation depends on it. 6. Physically protect your network You can have the best software or service provider to protect your wireless networks and access points. But they will still be vulnerable if physical protection isn’t in place. In the cybersecurity space, the legend has it that the most secure network is the one that’s behind a closed door. Any network that has humans nearby is susceptible to cyberattacks. Therefore, make sure you have appropriate security personnel at your premises. They should have the capability and authority to physically grant or deny access to those seeking access to the network on all operating systems. Make use of biometric IDs to identify the employees. Also, prohibit the use of laptops, USB drives, and other electronic gadgets that are not authorized. When creating a network, data security teams usually authorize each device that can access it. This is known as Layer 1. To improve network security policy , especially on Wi-Fi (WPA), ensure all the network devices and workstations and SSIDs connected to the network as trustworthy. Adopt the zero-trust security policies for every device: considered untrustworthy until proven otherwise. 7. Train and educate your employees Lastly, to improve network security management , small businesses must educate their employees and invest in network monitoring. Since every employee is connected to the Wi-Fi network somehow, everyone poses a security threat. Hackers often target those with privileged access. Such accounts, once exploited by cybercriminals, can be used to access different segments of the network with ease. Thus, such personnel should receive education on priority. Train your employees on attacks like phishing, spoofing, code injection, DNS tunneling, etc. With knowledge, employees can tackle such attempts head-on. This, in turn, makes the network much more secure. After the privileged account holders are trained, make others in your organization undergo the same training. The more educated they are, the better it is for the network. It’s worth reviewing their knowledge of cybersecurity from time to time. You can conduct a simple survey in Q&A format to test the competency of your team. Based on the results, you can hold training sessions and get everyone on the same page. The bottom line on network security Data breaches often come at a hefty cost. And the most expensive item on the list is the trust of users. Once a data leak happens, retaining customers’ trust is very hard. Regulators aren’t easy on the executives either. Thus, the best option is to safeguard and improve your network security . Schedule a demo Related Articles Navigating Compliance in the Cloud AlgoSec Cloud Mar 19, 2023 · 2 min read 5 Multi-Cloud Environments Cloud Security Mar 19, 2023 · 2 min read Convergence didn’t fail, compliance did. Mar 19, 2023 · 2 min read Speak to one of our experts Speak to one of our experts Work email* First name* Last name* Company* country* Select country... Short answer* By submitting this form, I accept AlgoSec's privacy policy Schedule a call

  • Making Risk Management Easier: How One Bank Got Smarter About Security - AlgoSec

    Making Risk Management Easier: How One Bank Got Smarter About Security Case Study Download PDF Schedule time with one of our experts Schedule time with one of our experts Work email* First name* Last name* Company* country* Select country... Short answer* By submitting this form, I accept AlgoSec's privacy policy Continue

  • AlgoSec | The Complete Guide to Perform an AWS Security Audit

    90% of organizations use a multi-cloud operating model to help achieve their business goals in a 2022 survey. AWS (Amazon Web Services)... Cloud Security The Complete Guide to Perform an AWS Security Audit Rony Moshkovich 2 min read Rony Moshkovich Short bio about author here Lorem ipsum dolor sit amet consectetur. Vitae donec tincidunt elementum quam laoreet duis sit enim. Duis mattis velit sit leo diam. Tags Share this article 7/27/23 Published 90% of organizations use a multi-cloud operating model to help achieve their business goals in a 2022 survey. AWS (Amazon Web Services) is among the biggest cloud computing platforms businesses use today. It offers cloud storage via data warehouses or data lakes, data analytics, machine learning, security, and more. Given the prevalence of multi-cloud environments, cloud security is a major concern. 89% of respondents in the above survey said security was a key aspect of cloud success. Security audits are essential for network security and compliance. AWS not only allows audits but recommends them and provides several tools to help, like AWS Audit Manager. In this guide, we share the best practices for an AWS security audit and a detailed step-by-step list of how to perform an AWS audit. We have also explained the six key areas to review. Best practices for an AWS security audit There are three key considerations for an effective AWS security audit: Time it correctly You should perform a security audit: On a regular basis. Perform the steps described below at regular intervals. When there are changes in your organization, such as new hires or layoffs. When you change or remove the individual AWS services you use. This ensures you have removed unnecessary permissions. When you add or remove software to your AWS infrastructure. When there is suspicious activity, like an unauthorized login. Be thorough When conducting a security audit: Take a detailed look at every aspect of your security configuration, including those that are rarely used. Do not make any assumptions. Use logic instead. If an aspect of your security configuration is unclear, investigate why it was instated and the business purpose it serves. Simplify your auditing and management process by using unified cloud security platforms . Leverage the shared responsibility model AWS uses a shared responsibility model. It splits the responsibility for the security of cloud services between the customer and the vendor. A cloud user or client is responsible for the security of: Digital identities Employee access to the cloud Data and objects stored in AWS Any third-party applications and integrations AWS handles the security of: The global AWS online infrastructure The physical security of their facilities Hypervisor configurations Managed services like maintenance and upgrades Personnel screening Many responsibilities are shared by both the customer and the vendor, including: Compliance with external regulations Security patches Updating operating systems and software Ensuring network security Risk management Implementing business continuity and disaster recovery strategies The AWS shared responsibility model assumes that AWS must manage the security of the cloud. The customer is responsible for security within the cloud. Step-by-step process for an AWS security audit An AWS security audit is a structured process to analyze the security of your AWS account. It lets you verify security policies and best practices and secure your users, roles, and groups. It also ensures you comply with any regulations. You can use these steps to perform an AWS security audit: Step 1: Choose a goal and audit standard Setting high-level goals for your AWS security audit process will give the audit team clear objectives to work towards. This can help them decide their approach for the audit and create an audit program. They can outline the steps they will take to meet goals. Goals are also essential to measure the organization’s current security posture. You can speed up this process using a Cloud Security Posture Management (CSPM) tool . Next, define an audit standard. This defines assessment criteria for different systems and security processes. The audit team can use the audit standard to analyze current systems and processes for efficiency and identify any risks. The assessment criteria drive consistent analysis and reporting. Step 2: Collect and review all assets Managing your AWS system starts with knowing what resources your organization uses. AWS assets can be data stores, applications, instances, and the data itself. Auditing your AWS assets includes: Create an asset inventory listing: Gather all assets and resources used by the organization. You can collect your assets using AWS Config, third-party tools, or CLI (Command Line Interface) scripts. Review asset configuration: Organizations must use secure configuration management practices for all AWS components. Auditors can validate if these standards are competent to address known security vulnerabilities. Evaluate risk: Asses how each asset impacts the organization’s risk profile. Integrate assets into the overall risk assessment program. Ensure patching: Verify that AWS services are included in the internal patch management process. Step 3: Review access and identity Reviewing account and asset access in AWS is critical to avoid cybersecurity attacks and data breaches. AWS Identity and Access Management (IAM ) is used to manage role-based access control. This dictates which users can access and perform operations on resources. Auditing access controls include: Documenting AWS account owners: List and review the main AWS accounts, known as the root accounts. Most modern teams do not use root accounts at all, but if needed, use multiple root accounts. Implement multi-factor authentication (MFA): Implement MFA for all AWS accounts based on your security policies. Review IAM user accounts: Use the AWS Management Console to identify all IAM users. Evaluate and modify the permissions and policies for all accounts. Remove old users. Review AWS groups: AWS groups are a collection of IAM users. Evaluate each group and the permissions and policies assigned to them. Remove old groups. Check IAM roles: Create job-specific IAM roles. Evaluate each role and the resources it has access to. Remove roles that have not been used in 90 days or more. Define monitoring methods: Install monitoring methods for all IAM accounts and roles. Regularly review these methods. Use least privilege access: The Principle of Least Privilege Access (PoLP) ensures users can only access what they need to complete a task. It prevents overly-permissive access controls and the misuse of systems and data. Implement access logs: Use access logs to track requests to access resources and changes made to resources. Step 4: Analyze data flows Protecting all data within the AWS ecosystem is vital for organizations to avoid data leaks. Auditors must understand the data flow within an organization. This includes how data moves from one system to another in AWS, where data is stored, and how it is protected. Ensuring data protection includes: Assess data flow: Check how data enters and exits every AWS resource. Identify any vulnerabilities in the data flows and address them. Ensure data encryption: Check if all data is encrypted at rest and in transit. Review connection methods: Check connection methods to different AWS systems. Depending on your workloads, this could include AWS Console, S3, RDS (relational database service), and more. Use key management services: Ensure data is encrypted at rest using AWS key management services. Use multi-cloud management services: Since most organizations use more than one cloud system, using multi-cloud CSPM software is essential. Step 5: Review public resources Elements within the AWS ecosystem are intentionally public-facing, like applications or APIs. Others are accidentally made public due to misconfiguration. This can lead to data loss, data leaks, and unintended access to accounts and services. Common examples include EBS snapshots, S3 objects, and databases. Identifying these resources helps remediate risks by updating access controls. Evaluating public resources includes: Identifying all public resources: List all public-facing resources. This includes applications, databases, and other services that can access your AWS data, assets, and resources. Conduct vulnerability assessments: Use automated tools or manual techniques to identify vulnerabilities in your public resources. Prioritize the risks and develop a plan to address them. Evaluate access controls: Review the access controls for each public resource and update them as needed. Remove unauthorized access using security controls and tools like S3 Public Access Block and Guard Duty. Review application code: Check the code for all public-facing applications for vulnerabilities that attackers could exploit. Conduct tests for common risks such as SQL injection, cross-site scripting (XSS), and buffer overflows. Key AWS areas to review in a security audit There are six essential parts of an AWS system that auditors must assess to identify risks and vulnerabilities: Identity access management (IAM) AWS IAM manages the users and access controls within the AWS infrastructure. You can audit your IAM users by: List all IAM users, groups, and roles. Remove old or redundant users. Also, remove these users from groups. Delete redundant or old groups. Remove IAM roles that are no longer in use. Evaluate each role’s trust and access policies. Review the policies assigned to each group that a user is in. Remove old or unnecessary security credentials. Remove security credentials that might have been exposed. Rotate long-term access keys regularly. Assess security credentials to identify any password, email, or data leaks. These measures prevent unauthorized access to your AWS system and its data. Virtual private cloud (VPC) Amazon Virtual Private Cloud (VPC) enables organizations to deploy AWS services on their own virtual network. Secure your VPC by: Checking all IP addresses, gateways, and endpoints for vulnerabilities. Creating security groups to control the inbound and outbound traffic to the resources within your VPC. Using route tables to check where network traffic from each subnet is directed. Leveraging traffic mirroring to copy all traffic from network interfaces. This data is sent to your security and monitoring applications. Using VPC flow logs to capture information about all IP traffic going to and from the network interfaces. Regularly monitor, update, and assess all of the above elements. Elastic Compute Cloud (EC2) Amazon Elastic Compute Cloud (EC2) enables organizations to develop and deploy applications in the AWS Cloud. Users can create virtual computing environments, known as instances, to launch as servers. You can secure your Amazon EC2 instances by: Review key pairs to ensure that login information is secure and only authorized users can access the private key. Eliminate all redundant EC2 instances. Create a security group for each EC2 instance. Define rules for inbound and outbound traffic for every instance. Review security groups regularly. Eliminate unused security groups. Use Elastic IP addresses to mask instance failures and enable instant remapping. For increased security, use VPCs to deploy your instances. Storage (S3) Amazon S3, or Simple Storage Service, is a cloud-native object storage platform. It allows users to store and manage large amounts of data within resources called buckets. Auditing S3 involves: Analyze IAM access controls Evaluate access controls given using Access Control Lists (ACLs) and Query String Authentication Re-evaluate bucket policies to ensure adequate object permissions Check S3 audit logs to identify any anomalies Evaluate S3 security configurations like Block Public Access, Object Ownership, and PrivateLink. Use Amazon Macie to get alerts when S3 buckets are publically accessible, unencrypted, or replicated. Mobile apps Mobile applications within your AWS environment must be audited. Organizations can do this by: Review mobile apps to ensure none of them contain access keys. Use MFA for all mobile apps. Check for and remove all permanent credentials for applications. Use temporary credentials so you can frequently change security keys. Enable multiple login methods using providers like Google, Amazon, and Facebook. Threat detection and incident response The AWS cloud infrastructure must include mechanisms to detect and react to security incidents. To do this, organizations and auditors can: Create audit logs by enabling AWS CloudTrail, storing and access logs in S3, CloudWatch logs, WAF logs, and VPC Flow Logs. Use audit logs to track assessment trails and detect any deviations or notable events Review logging and monitoring policies and procedures Ensure all AWS services, including EC2 instances, are monitored and logged Install logging mechanisms to centralize logs on one server and in proper formats Implement a dynamic Incident Response Plan for AWS services. Include policies to mitigate cybersecurity incidents and help with data recovery. Include AWS in your Business Continuity Plan (BCP) to improve disaster recovery. Dictate policies related to preparedness, crisis management elements, and more. Top tools for an AWS audit You can use any number of AWS security options and tools as you perform your audit. However, a Cloud-Native Application Protection Platform (CNAPP) like Prevasio is the ideal tool for an AWS audit. It combines the features of multiple cloud security solutions and automates security management. Prevasio increases efficiency by enabling fast and secure agentless cloud security configuration management. It supports Amazon AWS, Microsoft Azure, and Google Cloud. All security issues across these vendors are shown on a single dashboard. You can also perform a manual comprehensive AWS audit using multiple AWS tools: Identity and access management: AWS IAM and AWS IAM Access Analyzer Data protection: AWS Macie and AWS Secrets Manager Detection and monitoring: AWS Security Hub, Amazon GuardDuty, AWS Config, AWS CloudTrail, AWS CloudWatch Infrastructure protection: AWS Web Application Firewall, AWS Shield A manual audit of different AWS elements can be time-consuming. Auditors must juggle multiple tools and gather information from various reports. A dynamic platform like Prevasio speeds up this process. It scans all elements within your AWS systems in minutes and instantly displays any threats on the dashboard. The bottom line on AWS security audits Security audits are essential for businesses using AWS infrastructures. Maintaining network security and compliance via an audit prevents data breaches, prevents cyberattacks, and protects valuable assets. A manual audit using AWS tools can be done to ensure safety. However, an audit of all AWS systems and processes using Prevasio is more comprehensive and reliable. It helps you identify threats faster and streamlines the security management of your cloud system. Schedule a demo Related Articles Navigating Compliance in the Cloud AlgoSec Cloud Mar 19, 2023 · 2 min read 5 Multi-Cloud Environments Cloud Security Mar 19, 2023 · 2 min read Convergence didn’t fail, compliance did. Mar 19, 2023 · 2 min read Speak to one of our experts Speak to one of our experts Work email* First name* Last name* Company* country* Select country... Short answer* By submitting this form, I accept AlgoSec's privacy policy Schedule a call

  • AlgoSec | Prevasio’s Role in Red Team Exercises and Pen Testing

    Cybersecurity is an ever prevalent issue. Malicious hackers are becoming more agile by using sophisticated techniques that are always... Cloud Security Prevasio’s Role in Red Team Exercises and Pen Testing Rony Moshkovich 2 min read Rony Moshkovich Short bio about author here Lorem ipsum dolor sit amet consectetur. Vitae donec tincidunt elementum quam laoreet duis sit enim. Duis mattis velit sit leo diam. Tags Share this article 12/21/20 Published Cybersecurity is an ever prevalent issue. Malicious hackers are becoming more agile by using sophisticated techniques that are always evolving. This makes it a top priority for companies to stay on top of their organization’s network security to ensure that sensitive and confidential information is not leaked or exploited in any way. Let’s take a look at the Red/Blue Team concept, Pen Testing, and Prevasio’s role in ensuring your network and systems remain secure in a Docker container atmosphere. What is the Red/Blue Team Concept? The red/blue team concept is an effective technique that uses exercises and simulations to assess a company’s cybersecurity strength. The results allow organizations to identify which aspects of the network are functioning as intended and which areas are vulnerable and need improvement. The idea is that two teams (red and blue) of cybersecurity professionals face off against each other. The Red Team’s Role It is easiest to think of the red team as the offense. This group aims to infiltrate a company’s network using sophisticated real-world techniques and exploit potential vulnerabilities. It is important to note that the team comprises highly skilled ethical hackers or cybersecurity professionals. Initial access is typically gained by stealing an employee’s, department, or company-wide user credentials. From there, the red team will then work its way across systems as it increases its level of privilege in the network. The team will penetrate as much of the system as possible. It is important to note that this is just a simulation, so all actions taken are ethical and without malicious intent. The Blue Team’s Role The blue team is the defense. This team is typically made up of a group of incident response consultants or IT security professionals specially trained in preventing and stopping attacks. The goal of the blue team is to put a stop to ongoing attacks, return the network and its systems to a normal state, and prevent future attacks by fixing the identified vulnerabilities. Prevention is ideal when it comes to cybersecurity attacks. Unfortunately, that is not always possible. The next best thing is to minimize “breakout time” as much as possible. The “breakout time” is the window between when the network’s integrity is first compromised and when the attacker can begin moving through the system. Importance of Red/Blue Team Exercises Cybersecurity simulations are important for protecting organizations against a wide range of sophisticated attacks. Let’s take a look at the benefits of red/blue team exercises: Identify vulnerabilities Identify areas of improvement Learn how to detect and contain an attack Develop response techniques to handle attacks as quickly as possible Identify gaps in the existing security Strengthen security and shorten breakout time Nurture cooperation in your IT department Increase your IT team’s skills with low-risk training What are Pen Testing Teams? Many organizations do not have red/blue teams but have a Pen Testing (aka penetration testing) team instead. Pen testing teams participate in exercises where the goal is to find and exploit as many vulnerabilities as possible. The overall goal is to find the weaknesses of the system that malicious hackers could take advantage of. Companies’ best way to conduct pen tests is to use outside professionals who do not know about the network or its systems. This paints a more accurate picture of where vulnerabilities lie. What are the Types of Pen Testing? Open-box pen test – The hacker is provided with limited information about the organization. Closed-box pen test – The hacker is provided with absolutely no information about the company. Covert pen test – In this type of test, no one inside the company, except the person who hires the outside professional, knows that the test is taking place. External pen test – This method is used to test external security. Internal pen test – This method is used to test the internal network. The Prevasio Solution Prevasio’s solution is geared towards increasing the effectiveness of red teams for organizations that have taken steps to containerize their applications and now rely on docker containers to ship their applications to production. The benefits of Prevasio’s solution to red teams include: Auto penetration testing that helps teams conduct break-and-attack simulations on company applications. It can also be used as an integrated feature inside the CI/CD to provide reachability assurance. The behavior analysis will allow teams to identify unintentional internal oversights of best practices. The solution features the ability to intercept and scan encrypted HTTPS traffic. This helps teams determine if any credentials should not be transmitted. Prevasio container security solution with its cutting-edge analyzer performs both static and dynamic analysis of the containers during runtime to ensure the safest design possible. Moving Forward Cyberattacks are as real of a threat to your organization’s network and systems as physical attacks from burglars and robbers. They can have devastating consequences for your company and your brand. The bottom line is that you always have to be one step ahead of cyberattackers and ready to take action, should a breach be detected. The best way to do this is to work through real-world simulations and exercises that prepare your IT department for the worst and give them practice on how to respond. After all, it is better for your team (or a hired ethical hacker) to find a vulnerability before a real hacker does. Simulations should be conducted regularly since the technology and methods used to hack are constantly changing. The result is a highly trained team and a network that is as secure as it can be. Prevasio is an effective solution in conducting breach and attack simulations that help red/blue teams and pen testing teams do their jobs better in Docker containers. Our team is just as dedicated to the security of your organization as you are. Click here to learn more start your free trial. Schedule a demo Related Articles Navigating Compliance in the Cloud AlgoSec Cloud Mar 19, 2023 · 2 min read 5 Multi-Cloud Environments Cloud Security Mar 19, 2023 · 2 min read Convergence didn’t fail, compliance did. Mar 19, 2023 · 2 min read Speak to one of our experts Speak to one of our experts Work email* First name* Last name* Company* country* Select country... Short answer* By submitting this form, I accept AlgoSec's privacy policy Schedule a call

  • Checklist for implementing security as code - AlgoSec

    Checklist for implementing security as code Download PDF Schedule time with one of our experts Schedule time with one of our experts Work email* First name* Last name* Company* country* Select country... Short answer* By submitting this form, I accept AlgoSec's privacy policy Continue

  • AlgoSec | How to Perform a Network Security Risk Assessment in 6 Steps

    For your organization to implement robust security policies, it must have clear information on the security risks it is exposed to. An... Uncategorized How to Perform a Network Security Risk Assessment in 6 Steps Tsippi Dach 2 min read Tsippi Dach Short bio about author here Lorem ipsum dolor sit amet consectetur. Vitae donec tincidunt elementum quam laoreet duis sit enim. Duis mattis velit sit leo diam. Tags Share this article 1/18/24 Published For your organization to implement robust security policies, it must have clear information on the security risks it is exposed to. An effective IT security plan must take the organization’s unique set of systems and technologies into account. This helps security professionals decide where to deploy limited resources for improving security processes. Cybersecurity risk assessments provide clear, actionable data about the quality and success of the organization’s current security measures. They offer insight into the potential impact of security threats across the entire organization, giving security leaders the information they need to manage risk more effectively. Conducting a comprehensive cyber risk assessment can help you improve your organization’s security posture, address security-related production bottlenecks in business operations, and make sure security team budgets are wisely spent. This kind of assessment is also a vital step in the compliance process . Organizations must undergo information security risk assessments in order to meet regulatory requirements set by different authorities and frameworks, including: The Health Insurance Portability and Accountability Act (HIPAA), The International Organization for Standardization (ISO) The National Institute of Standards and Technology (NIST) Cybersecurity Framework The Payment Card Industry Data Security Standard (PCI DSS) General Data Protection Regulation (GDPR) What is a Security Risk Assessment? Your organization’s security risk assessment is a formal document that identifies, evaluates, and prioritizes cyber threats according to their potential impact on business operations. Categorizing threats this way allows cybersecurity leaders to manage the risk level associated with them in a proactive, strategic way. The assessment provides valuable data about vulnerabilities in business systems and the likelihood of cyber attacks against those systems. It also provides context into mitigation strategies for identified risks, which helps security leaders make informed decisions during the risk management process. For example, a security risk assessment may find that the organization needs to be more reliant on its firewalls and access control solutions . If a threat actor uses phishing or social engineering to bypass these defenses (or take control of them entirely), the entire organization could suffer a catastrophic data breach. In this case, the assessment may recommend investing in penetration testing and advanced incident response capabilities. Organizations that neglect to invest in network security risk assessments won’t know their weaknesses until after they are actively exploited. By the time hackers launch a ransomware attack, it’s too late to consider whether your antivirus systems are properly configured against malware. Who Should Perform Your Organization’s Cyber Risk Assessment? A dedicated internal team should take ownership over the risk assessment process . The process will require technical personnel with a deep understanding of the organization’s IT infrastructure. Executive stakeholders should also be involved because they understand how information flows in the context of the organization’s business logic, and can provide broad insight into its risk management strategy . Small businesses may not have the resources necessary to conduct a comprehensive risk analysis internally. While a variety of assessment tools and solutions are available on the market, partnering with a reputable managed security service provider is the best way to ensure an accurate outcome. Adhering to a consistent methodology is vital, and experienced vulnerability assessment professionals ensure the best results. How to Conduct a Network Security Risk Assessment 1. Develop a comprehensive asset map The first step is accurately mapping out your organization’s network assets. If you don’t have a clear idea of exactly what systems, tools, and applications the organization uses, you won’t be able to manage the risks associated with them. Keep in mind that human user accounts should be counted as assets as well. The Verizon 2023 Data Breach Investigation Report shows that the human element is involved in more than a quarter of all data breaches. The better you understand your organization’s human users and their privilege profiles, the more effectively you can protect them from potential threats and secure critical assets effectively. Ideally, all of your organization’s users should be assigned and managed through a centralized system. For Windows-based networks, Active Directory is usually the solution that comes to mind. Your organization may have a different system in place if it uses a different operating system. Also, don’t forget about information assets like trade secrets and intellectual property. Cybercriminals may target these assets in order to extort the organization. Your asset map should show you exactly where these critical assets are stored, and provide context into which users have permission to access them. Log and track every single asset in a central database that you can quickly access and easily update. Assign security value to each asset as you go and categorize them by access level . Here’s an example of how you might want to structure that categorization: Public data. This is data you’ve intentionally made available to the public. It includes web page content, marketing brochures, and any other information of no consequence in a data breach scenario. Confidential data. This data is not publicly available. If the organization shares it with third parties, it is only under a non-disclosure agreement. Sensitive technical or financial information may end up in this category. Internal use only. This term refers to data that is not allowed outside the company, even under non-disclosure terms. It might include employee pay structures, long-term strategy documents, or product research data. Intellectual property. Any trade secrets, issued patents, or copyrighted assets are intellectual property. The value of the organization depends in some way on this information remaining confidential. Compliance restricted data. This category includes any data that is protected by regulatory or legal obligations. For a HIPAA-compliant organization, that would include patient data, medical histories, and protected personal information. This database will be one of the most important security assessment tools you use throughout the next seven steps. 2. Identify security threats and vulnerabilities Once you have a comprehensive asset inventory, you can begin identifying risks and vulnerabilities for each asset. There are many different types of tests and risk assessment tools you can use for this step. Automating the process whenever possible is highly recommended, since it may otherwise become a lengthy and time-consuming manual task. Vulnerability scanning tools can automatically assess your network and applications for vulnerabilities associated with known threats. The scan’s results will tell you exactly what kinds of threats your information systems are susceptible to, and provide some information about how you can remediate them. Be aware that these scans can only determine your vulnerability to known threats. They won’t detect insider threats , zero-day vulnerabilities and some scanners may overlook security tool misconfigurations that attackers can take advantage of. You may also wish to conduct a security gap analysis. This will provide you with comprehensive information about how your current security program compares to an established standard like CMMC or PCI DSS. This won’t help protect against zero-day threats, but it can uncover information security management problems and misconfigurations that would otherwise go unnoticed. To take this step to the next level, you can conduct penetration testing against the systems and assets your organization uses. This will validate vulnerability scan and gap analysis data while potentially uncovering unknown vulnerabilities in the process. Pentesting replicates real attacks on your systems, providing deep insight into just how feasible those attacks may be from a threat actor’s perspective. When assessing the different risks your organization faces, try to answer the following questions: What is the most likely business outcome associated with this risk? Will the impact of this risk include permanent damage, like destroyed data? Would your organization be subject to fines for compliance violations associated with this risk? Could your organization face additional legal liabilities if someone exploited this risk? 3. Prioritize risks according to severity and likelihood Once you’ve conducted vulnerability scans and assessed the different risks that could impact your organization, you will be left with a long list of potential threats. This list will include more risks and hazards than you could possibly address all at once. The next step is to go through the list and prioritize each risk according to its potential impact and how likely it is to happen. If you implemented penetration testing in the previous step, you should have precise data on how likely certain attacks are to take place. Your team will tell you how many steps they took to compromise confidential data, which authentication systems they had to bypass, and what other security functionalities they disabled. Every additional step reduces the likelihood of a cybercriminal carrying out the attack successfully. If you do not implement penetration testing, you will have to conduct an audit to assess the likelihood of attackers exploiting your organization’s vulnerabilities. Industry-wide threat intelligence data can give you an idea of how frequent certain types of attacks are. During this step, you’ll have to balance the likelihood of exploitation with the severity of the potential impact for each risk. This will require research into the remediation costs associated with many cyberattacks. Remediation costs should include business impact – such as downtime, legal liabilities, and reputational damage – as well as the cost of paying employees to carry out remediation tasks. Assigning internal IT employees to remediation tasks implies the opportunity cost of diverting them from their usual responsibilities. The more completely you assess these costs, the more accurate your assessment will be. 4. Develop security controls in response to risks Now that you have a comprehensive overview of the risks your organization is exposed to, you can begin developing security controls to address them. These controls should provide visibility and functionality to your security processes, allowing you to prevent attackers from exploiting your information systems and detect them when they make an attempt. There are three main types of security control available to the typical organization: Physical controls prevent unauthorized access to sensitive locations and hardware assets. Security cameras, door locks, and live guards all contribute to physical security. These controls prevent external attacks from taking place on premises. Administrative controls are policies, practices, and workflows that secure business assets and provide visibility into workplace processes. These are vital for protecting against credential-based attacks and malicious insiders. Technical controls include purpose-built security tools like hardware firewalls, encrypted data storage solutions, and antivirus software. Depending on their configuration, these controls can address almost any type of threat. These categories have further sub-categories that describe how the control interacts with the threat it is protecting against. Most controls protect against more than one type of risk, and many controls will protect against different risks in different ways. Here are some of the functions of different controls that you should keep in mind: Detection-based controls trigger alerts when they discover unauthorized activity happening on the network. Intrusion detection systems (IDS) and security information and event management (SIEM) platforms are examples of detection-based solutions. When you configure one of these systems to detect a known risk, you are implementing a detection-based technical control. Prevention-based controls block unauthorized activity from taking place altogether. Authentication protocols and firewall rules are common examples of prevention-based security controls. When you update your organization’s password policy, you are implementing a prevention-based administrative control. Correction and compensation-based controls focus on remediating the effects of cyberattacks once they occur. Disaster recovery systems and business continuity solutions are examples. When you copy a backup database to an on-premises server, you are establishing physical compensation-based controls that will help you recover from potential threats. 5. Document the results and create a remediation plan Once you’ve assessed your organization’s exposure to different risks and developed security controls to address those risks, you are ready to condense them into a cohesive remediation plan . You will use the data you’ve gathered so far to justify the recommendations you make, so it’s a good idea to present that data visually. Consider creating a risk matrix to show how individual risks compare to one another based on their severity and likelihood. High-impact risks that have a high likelihood of occurring should draw more time and attention than risks that are either low-impact, unlikely, or both. Your remediation plan will document the steps that security teams will need to take when responding to each incident you describe. If multiple options exist for a particular vulnerability, you may add a cost/benefit analysis of multiple approaches. This should provide you with an accurate way to quantify the cost of certain cyberattacks and provide a comparative cost for implementing controls against that type of attack. Comparing the cost of remediation with the cost of implementing controls should show some obvious options for cybersecurity investment. It’s easy to make the case for securing against high-severity, high-likelihood attacks with high remediation costs and low control costs. Implementing security patches is an example of this kind of security control that costs very little but provides a great deal of value in this context. Depending on your organization’s security risk profile, you may uncover other opportunities to improve security quickly. You will probably also find opportunities that are more difficult or expensive to carry out. You will have to pitch these opportunities to stakeholders and make the case for their approval. 6. Implement recommendations and evaluate the effectiveness of your assessment Once you have approval to implement your recommendations, it’s time for action. Your security team can now assign each item in the remediation plan to the team member responsible and oversee their completion. Be sure to allow a realistic time frame for each step in the process to be completed – especially if your team is not actively executing every task on its own. You should also include steps for monitoring the effectiveness of their efforts and documenting the changes they make to your security posture. This will provide you with key performance metrics that you can compare with future network security assessments moving forward, and help you demonstrate the value of your remediation efforts overall. Once you have implemented the recommendations, you can monitor and optimize the performance of your information systems to ensure your security posture adapts to new threats as they emerge. Risk assessments are not static processes, and you should be prepared to conduct internal audits and simulate the impact of configuration changes on your current deployment. You may wish to repeat your risk evaluation and gap analysis step to find out how much your organization’s security posture has changed. You can use automated tools like AlgoSec to conduct configuration simulations and optimize the way your network responds to new and emerging threats. Investing time and energy into these tasks now will lessen the burden of your next network security risk assessment and make it easier for you to gain approval for the recommendations you make in the future. Schedule a demo Related Articles Navigating Compliance in the Cloud AlgoSec Cloud Mar 19, 2023 · 2 min read 5 Multi-Cloud Environments Cloud Security Mar 19, 2023 · 2 min read Convergence didn’t fail, compliance did. Mar 19, 2023 · 2 min read Speak to one of our experts Speak to one of our experts Work email* First name* Last name* Company* country* Select country... Short answer* By submitting this form, I accept AlgoSec's privacy policy Schedule a call

  • ALGOSEC PARA LGPD - AlgoSec

    ALGOSEC PARA LGPD Download PDF Schedule time with one of our experts Schedule time with one of our experts Work email* First name* Last name* Company* country* Select country... Short answer* By submitting this form, I accept AlgoSec's privacy policy Continue

  • AlgoSec | Risk Management in Network Security: 7 Best Practices for 2024

    Protecting an organization against every conceivable threat is rarely possible. There is a practically unlimited number of potential... Uncategorized Risk Management in Network Security: 7 Best Practices for 2024 Tsippi Dach 2 min read Tsippi Dach Short bio about author here Lorem ipsum dolor sit amet consectetur. Vitae donec tincidunt elementum quam laoreet duis sit enim. Duis mattis velit sit leo diam. Tags Share this article 1/26/24 Published Protecting an organization against every conceivable threat is rarely possible. There is a practically unlimited number of potential threats in the world, and security leaders don’t have unlimited resources available to address them. Prioritizing risks associated with more severe potential impact allows leaders to optimize cybersecurity decision-making and improve the organization’s security posture. Cybersecurity risk management is important because many security measures come with large costs. Before you can implement security controls designed to protect against cyberattacks and other potential risks, you must convince key stakeholders to support the project. Having a structured approach to cyber risk management lets you demonstrate exactly how your proposed changes impact the organization’s security risk profile. This makes it much easier to calculate the return on cybersecurity investment – making it a valuable tool when communicating with board members and executives. Here are seven tips every security leader should keep in mind when creating a risk management strategy: Cultivate a security-conscious risk management culture Use risk registers to describe potential risks in detail Prioritize proactive, low-cost risk remediation when possible Treat risk management as an ongoing process Invest in penetration testing to discover new vulnerabilities Demonstrate risk tolerance by implementing the NIST Cybersecurity Framework Don’t forget to consider false positives in your risk assessment What is a Risk Management Strategy? The first step to creating a comprehensive risk management plan is defining risk. According to the International Organization for Standardization (ISO) risk is “the effect of uncertainty on objectives”. This definition is accurate, but its scope is too wide. Uncertainty is everywhere, including things like market conditions, natural disasters, or even traffic jams. As a cybersecurity leader, your risk management process is more narrowly focused on managing risks to information systems, protecting sensitive data, and preventing unauthorized access. Your risk management program should focus on identifying these risks, assessing their potential impact, and creating detailed plans for addressing them. This might include deploying tools for detecting cyberattacks, implementing policies to prevent them, or investing in incident response and remediation tools to help you recover from them after they occur. In many cases, you’ll be doing all of these things at once. Crucially, the information you uncover in your cybersecurity risk assessment will help you prioritize these initiatives and decide how much to spend on them. Your risk management framework will provide you with the insight you need to address high-risk, high-impact cybersecurity threats first and manage low-risk, low-impact threats later on. 7 Tips for Creating a Comprehensive Risk Management Strategy 1. Cultivate a security-conscious risk management culture No CISO can mitigate security risks on their own. Every employee counts on their colleagues, partners, and supervisors to keep sensitive data secure and prevent data breaches. Creating a risk management strategy is just one part of the process of developing a security-conscious culture that informs risk-based decision-making. This is important because many employees have to make decisions that impact security on a daily basis. Not all of these decisions are critical-severity security scenarios, but even small choices can influence the way the entire organization handles risk. For example, most organizations list their employees on LinkedIn. This is not a security threat on its own, but it can contribute to security risks associated with phishing attacks and social engineering . Cybercriminals may create spoof emails inviting employees to fake webinars hosted by well-known employees, and use the malicious link to infect employee devices with malware. Cultivating a risk management culture won’t stop these threats from happening, but it might motivate employees to reach out when they suspect something is wrong. This gives security teams much greater visibility into potential risks as they occur, and increases the chance you’ll detect and mitigate threats before they launch active cyberattacks. 2. Use risk registers to describe potential risks in detail A risk register is a project management tool that describes risks that could disrupt a project during execution. Project managers typically create the register during the project planning phase and then refer to it throughout execution. A risk register typically uses the following characteristics to describe individual risks: Description : A brief overview of the risk itself. Category: The formal classification of the risk and what it affects. Likelihood: How likely this risk is to take place. Analysis: What would happen if this risk occurred. Mitigation: What would the team need to do to respond in this scenario. Priority: How critical is this risk compared to others. The same logic applies to business initiatives both large and small. Using a risk register can help you identify and control unexpected occurrences that may derail the organization’s ongoing projects. If these projects are actively supervised by a project manager, risk registers should already exist for them. However, there may be many initiatives, tasks, and projects that do not have risk registers. In these cases, you may need to create them yourself. Part of the overall risk assessment process should include finding and consolidating these risk registers to get an idea of the kinds of disruptions that can take place at every level of the organization. You may find patterns in the types of security risks that you find described in multiple risk registers. This information should help you evaluate the business impact of common risks and find ways to mitigate those risks effectively. 3. Prioritize proactive, low-cost risk remediation when possible Your organization can’t afford to prevent every single risk there is. That would require an unlimited budget and on-demand access to technical specialist expertise. However, you can prevent certain high-impact risks using proactive, low-cost policies that can make a significant difference in your overall security posture. You should take these opportunities when they present themselves. Password policies are a common example. Many organizations do not have sufficiently robust password policies in place. Cybercriminals know this –that’s why dictionary-based credential attacks still occur. If employees are reusing passwords across accounts or saving them onto their devices in plaintext, it’s only a matter of time before hackers notice. At the same time, upgrading a password policy is not an especially expensive task. Even deploying an enterprise-wide password manager and investing in additional training may be several orders of magnitude cheaper than implementing a new SIEM or similarly complex security platform. Your cybersecurity risk assessment will likely uncover many opportunities like this one. Take a close look at things like password policies, change management , and security patch update procedures and look for easy, low-cost projects that can provide immediate security benefits without breaking your budget. Once you address these issues, you will be in a much better position to pursue larger, more elaborate security implementations. 4. Treat risk management as an ongoing process Every year, cybercriminals leverage new tactics and techniques against their victims. Your organization’s security team must be ready to address the risks of emerging malware, AI-enhanced phishing messages, elaborate supply chain attacks, and more. As hackers improve their attack methodologies, your organization’s risk profile shifts. As the level of risk changes, your approach to information security must change as well. This means developing standards and controls that adjust according to your organization’s actual information security risk environment. Risk analysis should not be a one-time event, but a continuous one that delivers timely results about where your organization is today – and where it may be in the future. For example, many security teams treat firewall configuration and management as a one-time process. This leaves them vulnerable to emerging threats that they may not have known about during the initial deployment. Part of your risk management strategy should include verifying existing security solutions and protecting them from new and emerging risks. 5. Invest in penetration testing to discover new vulnerabilities There is more to discovering new risks than mapping your organization’s assets to known vulnerabilities and historical data breaches. You may be vulnerable to zero-day exploits and other weaknesses that won’t be immediately apparent. Penetration testing will help you discover and assess risks that you can’t find out about otherwise. Penetration testing mitigates risk by pinpointing vulnerabilities in your environment and showing how hackers could exploit them. Your penetration testing team will provide a comprehensive report showing you what assets were compromised and how. You can then use this information to close those security gaps and build a stronger security posture as a result. There are multiple kinds of penetration testing. Depending on your specific scenario and environment, you may invest in: External network penetration testing focuses on the defenses your organization deploys on internet-facing assets and equipment. The security of any business application exposed to the public may be assessed through this kind of test. Internal network penetration testing determines how cybercriminals may impact the organization after they gain access to your system and begin moving laterally through it. This also applies to malicious insiders and compromised credential attacks. Social engineering testing looks specifically at how employees respond to attackers impersonating customers, third-party vendors, and internal authority figures. This will help you identify risks associated with employee security training . Web application testing focuses on your organization’s web-hosted applications. This can provide deep insight into how secure your web applications are, and whether they can be leveraged to leak sensitive information. 6. Demonstrate risk tolerance by implementing the NIST Cybersecurity Framework The National Institute of Standards and Technology publishes one of the industry’s most important compliance frameworks for cybersecurity risk mitigation. Unlike similar frameworks like PCI DSS and GDPR, the NIST Cybersecurity Framework is voluntary – you are free to choose when and how you implement its controls in your organization. This set of security controls includes a comprehensive, flexible approach to risk management. It integrates risk management techniques across multiple disciplines and combines them into an effective set of standards any organization can follow. As of 2023, the NIST Risk Management Framework focuses on seven steps: Prepare the organization to change the way it secures its information technology solutions. Categorize each system and the type of information it processes according to a risk and impact analysis/ Select which NIST SP 800-53 controls offer the best data protection for the environment. Implement controls and document their deployment. Assess whether the correct controls are in place and operating as intended. Authorize the implementation in partnership with executives, stakeholders, and IT decision-makers. Monitor control implementations and IT systems to assess their effectiveness and discover emerging risks. 7. Don’t forget to consider false positives in your risk assessment False positives refer to vulnerabilities and activity alerts that have been incorrectly flagged. They can take many forms during the cybersecurity risk assessment process – from vulnerabilities that don’t apply to your organization’s actual tech stack to legitimate traffic getting blocked by firewalls. False positives can impact risk assessments in many ways. The most obvious problem they present is skewing your assessment results. This may lead to you prioritizing security controls against threats that aren’t there. If these controls are expensive or time-consuming to deploy, you may end up having an uncomfortable conversation with key stakeholders and decision-makers later on. However, false positives are also a source of security risks. This is especially true with automated systems like next-generation firewalls , extended detection and response (XDR) solutions, and Security Orchestration, Automation, and Response (SOAR) platforms. Imagine one of these systems detects an outgoing video call from your organization. It flags the connection as suspicious and begins investigating it. It discovers the call is being made from an unusual location and contains confidential data, so it blocks the call and terminates the connection. This could be a case of data exfiltration, or it could be the company CEO presenting a report to stockholders while traveling. Most risk assessments don’t explore the potential risk of blocking high-level executive communications or other legitimate communications due to false positives. Use AlgoSec to Identify and Assess Network Security Risks More Accurately Building a comprehensive risk management strategy is not an easy task. It involves carefully observing the way your organization does business and predicting how cybercriminals may exploit those processes. It demands familiarity with almost every task, process, and technology the organization uses, and the ability to simulate attack scenarios from multiple different angles. There is no need to accomplish these steps manually. Risk management platforms like AlgoSec’s Firewall Analyzer can help you map business applications throughout your network and explore attack simulations with detailed “what-if” scenarios. Use Firewall Analyzer to gain deep insight into how your organization would actually respond to security incidents and unpredictable events, then use those insights to generate a more complete risk management approach. Schedule a demo Related Articles Navigating Compliance in the Cloud AlgoSec Cloud Mar 19, 2023 · 2 min read 5 Multi-Cloud Environments Cloud Security Mar 19, 2023 · 2 min read Convergence didn’t fail, compliance did. Mar 19, 2023 · 2 min read Speak to one of our experts Speak to one of our experts Work email* First name* Last name* Company* country* Select country... Short answer* By submitting this form, I accept AlgoSec's privacy policy Schedule a call

  • Executive brochure – The business benefits of AlgoSec Horizon platform - AlgoSec

    Executive brochure – The business benefits of AlgoSec Horizon platform Brochure Download PDF Schedule time with one of our experts Schedule time with one of our experts Work email* First name* Last name* Company* country* Select country... Short answer* By submitting this form, I accept AlgoSec's privacy policy Continue

  • AlgoSec | Bridging Network Security Gaps with Better Network Object Management

    Prof. Avishai Wool, AlgoSec co-founder and CTO, stresses the importance of getting the often-overlooked function of managing network... Professor Wool Bridging Network Security Gaps with Better Network Object Management Prof. Avishai Wool 2 min read Prof. Avishai Wool Short bio about author here Lorem ipsum dolor sit amet consectetur. Vitae donec tincidunt elementum quam laoreet duis sit enim. Duis mattis velit sit leo diam. Tags Share this article 4/13/22 Published Prof. Avishai Wool, AlgoSec co-founder and CTO, stresses the importance of getting the often-overlooked function of managing network objects right, particularly in hybrid or multi-vendor environments Using network traffic filtering solutions from multiple vendors makes network object management much more challenging. Each vendor has its own management platform, which often forces network security admins to define objects multiple times, resulting in a counter effect. First and foremost, this can be an inefficient use of valuable resources from a workload bottlenecking perspective. Secondly, it creates a lack of naming consistency and introduces a myriad of unexpected errors, leading to security flaws and connectivity problems. This can be particularly applicable when a new change request is made. With these unique challenges at play, it begs the question: Are businesses doing enough to ensure their network objects are synchronized in both legacy and greenfield environments? What is network object management? At its most basic, the management of network objects refers to how we name and define “objects” within a network. These objects can be servers, IP addresses, or groups of simpler objects. Since these objects are subsequently used in network security policies, it is imperative to simultaneously apply a given rule to an object or object group. On its own, that’s a relatively straightforward method of organizing the security policy. But over time, as organizations reach scale, they often end up with large quantities of network objects in the tens of thousands, which typically lead to critical mistakes. Hybrid or multi-vendor networks Let’s take name duplication as an example. Duplication on its own is bad enough due to the wasted resource, but what’s worse is when two copies of the same name have two distinctly different definitions. Let’s say we have a group of database servers in Environment X containing three IP addresses. This group is allocated a name, say “DBs”. That name is then used to define a group of database servers in Environment Y containing only two IP addresses because someone forgot to add in the third. In this example, the security policy rule using the name DBs would look absolutely fine to even a well-trained eye, because the names and definitions it contained would seem identical. But the problem lies in what appears below the surface: one of these groups would only apply to two IP addresses rather than three. As in this case, minor discrepancies are commonplace and can quickly spiral into more significant security issues if not dealt with in the utmost time-sensitive manner. It’s important to remember that accuracy is the name in this game. If a business is 100% accurate in the way it handles network object management, then it has the potential to be 100% efficient. The Bottom Line The security and efficiency of hybrid multi-vendor environments depend on an organization’s digital hygiene and network housekeeping. The naming and management of network objects aren’t particularly glamorous tasks. Having said that, everything from compliance and automation to security and scalability will be far more seamless and risk averse if taken care of correctly. To learn more about network object management and why it’s arguably more important now than ever before, watch our webcast on the subject or read more in our resource hub . Schedule a demo Related Articles Navigating Compliance in the Cloud AlgoSec Cloud Mar 19, 2023 · 2 min read 5 Multi-Cloud Environments Cloud Security Mar 19, 2023 · 2 min read Convergence didn’t fail, compliance did. Mar 19, 2023 · 2 min read Speak to one of our experts Speak to one of our experts Work email* First name* Last name* Company* country* Select country... Short answer* By submitting this form, I accept AlgoSec's privacy policy Schedule a call

bottom of page