Now generally available for Hyper-V virtual machines and bare-metal servers
Auditing Kubernetes with Wazuh
Kubernetes is an open source platform that helps in managing the automation of container applications. Kubernetes deploys and manages applications in multiple nodes that run in a cluster for scalability. It has a high degree of control over applications and services that run in its clusters. This makes the clusters targets of cyber attacks. Therefore, it is important to log and audit Kubernetes cluster events.
In this blog post, we show how to audit Kubernetes events with Wazuh. To achieve this, we take the following steps:
- Create a webhook listener on the Wazuh server to receive logs from the Kubernetes cluster.
- Enable auditing on the Kubernetes cluster and configure it to forward audit logs to the Wazuh webhook listener.
- Create rules on the Wazuh server to alert about audit events received from Kubernetes.
Requirements
- A Wazuh server 4.3.10: You can use the pre-built ready-to-use Wazuh OVA. Follow this guide to set up the virtual machine.
- A self-managed Kubernetes cluster: To test this, we deploy a local Minikube cluster on a CentOS 8 endpoint. The bash script
minikubesetup.sh
below installs Minikube and all necessary dependencies on the endpoint.
#!/bin/bash # Disable SELinux setenforce 0 sed -i --follow-symlinks 's/SELINUX=enforcing/SELINUX=disabled/g' /etc/sysconfig/selinux # Install Docker yum install yum-utils -y yum-config-manager --add-repo https://download.docker.com/linux/centos/docker-ce.repo yum install docker-ce docker-ce-cli containerd.io docker-compose-plugin -y --allowerasing systemctl start docker systemctl enable docker # Install conntrack yum install conntrack -y # Install Kubectl curl -LO https://storage.googleapis.com/kubernetes-release/release/`curl -s https://storage.googleapis.com/kubernetes-release/release/stable.txt`/bin/linux/amd64/kubectl chmod +x kubectl mv kubectl /usr/bin/ # Install Minikube curl -Lo minikube https://storage.googleapis.com/minikube/releases/latest/minikube-linux-amd64 chmod +x minikube mv minikube /usr/bin/ # Install crictl VERSION="v1.25.0" wget https://github.com/kubernetes-sigs/cri-tools/releases/download/$VERSION/crictl-$VERSION-linux-amd64.tar.gz tar zxvf crictl-$VERSION-linux-amd64.tar.gz -C /usr/bin/ rm -f crictl-$VERSION-linux-amd64.tar.gz # Install cricd wget https://github.com/Mirantis/cri-dockerd/releases/download/v0.2.6/cri-dockerd-0.2.6-3.el8.x86_64.rpm rpm -i cri-dockerd-0.2.6-3.el8.x86_64.rpm rm cri-dockerd-0.2.6-3.el8.x86_64.rpm # Start Minikube minikube start --driver=none
Create a file minikubesetup.sh
and paste the script above into it. Execute the script with root privileges to set up Minikube:
# bash minikubesetup.sh
Configure the Wazuh server
We create a webhook listener on the Wazuh server to receive the Kubernetes audit logs. To do this, we first create certificates for encrypted communication between the Wazuh server and the Kubernetes cluster. We then create the webhook listener that listens on port 8080
and forwards the logs received to the Wazuh server for analysis. Additionally, we create a systemd service to run the webhook listener, and enable the service to run on system reboot.
Create certificates for communication between the Wazuh server and Kubernetes
1. Create the directory to contain the certificates:
# mkdir /var/ossec/integrations/kubernetes-webhook/
2. Create a certificate configuration file /var/ossec/integrations/kubernetes-webhook/csr.conf
and add the following. Replace <wazuh_server_ip>
with your Wazuh server IP address:
[ req ] prompt = no default_bits = 2048 default_md = sha256 distinguished_name = req_distinguished_name x509_extensions = v3_req [req_distinguished_name] C = US ST = California L = San Jose O = Wazuh OU = Research and development emailAddress = [email protected] CN = <wazuh_server_ip> [ v3_req ] authorityKeyIdentifier=keyid,issuer basicConstraints = CA:FALSE keyUsage = digitalSignature, nonRepudiation, keyEncipherment, dataEncipherment subjectAltName = @alt_names [alt_names] IP.1 = <wazuh_server_ip>
3. Create the root CA public and private keys:
# openssl req -x509 -new -nodes -newkey rsa:2048 -keyout /var/ossec/integrations/kubernetes-webhook/rootCA.key -out /var/ossec/integrations/kubernetes-webhook/rootCA.pem -batch -subj "/C=US/ST=California/L=San Jose/O=Wazuh"
4. Create the certificate signing request (csr) and the server private key:
# openssl req -new -nodes -newkey rsa:2048 -keyout /var/ossec/integrations/kubernetes-webhook/server.key -out /var/ossec/integrations/kubernetes-webhook/server.csr -config /var/ossec/integrations/kubernetes-webhook/csr.conf
5. Generate the server certificate:
# openssl x509 -req -in /var/ossec/integrations/kubernetes-webhook/server.csr -CA /var/ossec/integrations/kubernetes-webhook/rootCA.pem -CAkey /var/ossec/integrations/kubernetes-webhook/rootCA.key -CAcreateserial -out /var/ossec/integrations/kubernetes-webhook/server.crt -extfile /var/ossec/integrations/kubernetes-webhook/csr.conf -extensions v3_req
Create the webhook listener
1. Install the Python flask module with pip. This module is used to create the webhook listener and to receive JSON POST requests:
# /var/ossec/framework/python/bin/pip3 install flask
2. Create the Python webhook listener /var/ossec/integrations/custom-webhook.py
. Replace <wazuh_server_ip>
with your Wazuh server IP address:
#!/var/ossec/framework/python/bin/python3 import json from socket import socket, AF_UNIX, SOCK_DGRAM from flask import Flask, request # CONFIG PORT = 8080 CERT = '/var/ossec/integrations/kubernetes-webhook/server.crt' CERT_KEY = '/var/ossec/integrations/kubernetes-webhook/server.key' # Analysisd socket address socket_addr = '/var/ossec/queue/sockets/queue' def send_event(msg): string = '1:k8s:{0}'.format(json.dumps(msg)) sock = socket(AF_UNIX, SOCK_DGRAM) sock.connect(socket_addr) sock.send(string.encode()) sock.close() return True app = Flask(__name__) context = (CERT, CERT_KEY) @app.route('/', methods=['POST']) def webhook(): if request.method == 'POST': if send_event(request.json): print("Request sent to Wazuh") else: print("Failed to send request to Wazuh") return "Webhook received!" if __name__ == '__main__': app.run(host='<wazuh_server_ip>', port=PORT, ssl_context=context)
3. Create a systemd service at /lib/systemd/system/wazuh-webhook.service
:
[Unit] Description=Wazuh webhook Wants=network-online.target After=network.target network-online.target [Service] ExecStart=/var/ossec/framework/python/bin/python3 /var/ossec/integrations/custom-webhook.py Restart=on-failure [Install] WantedBy=multi-user.target
4. Reload systemd, enable and start the webhook service:
# systemctl daemon-reload # systemctl enable wazuh-webhook.service # systemctl start wazuh-webhook.service
5. Check the status of the webhook service to verify that it is running:
# systemctl status wazuh-webhook.service
6. Enable access to port 8080 if the firewall on the Wazuh server is running.
# firewall-cmd --permanent --add-port=8080/tcp # firewall-cmd --reload
Configure Kubernetes audit logging on the master node
To configure Kubernetes audit logging, we create an audit policy file to define events that the cluster will log. The policy also defines the amount of information that should be logged for each type of event. We proceed to create a webhook configuration file that specifies the webhook address where the audit events will be sent to. Finally, we apply the newly created audit policy and the webhook configuration to the cluster by modifying the Kubernetes API server configuration file.
The Kubernetes API server runs the Kubernetes API, which serves as the front end through which users interact with the Kubernetes cluster. We log all user requests to the Kubernetes API by adding the audit policy and webhook configuration to the API server.
1. Create a policy file /etc/kubernetes/audit-policy.yaml
to log the events:
apiVersion: audit.k8s.io/v1 kind: Policy rules: # Don’t log requests to the following API endpoints - level: None nonResourceURLs: - '/healthz*' - '/logs' - '/metrics' - '/swagger*' - '/version' # Limit requests containing tokens to Metadata level so the token is not included in the log - level: Metadata omitStages: - RequestReceived resources: - group: authentication.k8s.io resources: - tokenreviews # Extended audit of auth delegation - level: RequestResponse omitStages: - RequestReceived resources: - group: authorization.k8s.io resources: - subjectaccessreviews # Log changes to pods at RequestResponse level - level: RequestResponse omitStages: - RequestReceived resources: # core API group; add third-party API services and your API services if needed - group: '' resources: ['pods'] verbs: ['create', 'patch', 'update', 'delete'] # Log everything else at Metadata level - level: Metadata omitStages: - RequestReceived
2. Create a webhook configuration file /etc/kubernetes/audit-webhook.yaml
. Replace <wazuh_server_ip>
with the IP address of your Wazuh server:
apiVersion: v1 kind: Config preferences: {} clusters: - name: wazuh-webhook cluster: insecure-skip-tls-verify: true server: https://<wazuh_server_ip>:8080 # kubeconfig files require a context. Provide one for the API server. current-context: webhook contexts: - context: cluster: wazuh-webhook user: kube-apiserver # Replace with name of API server if it’s different name: webhook
3. Edit the Kubernetes API server configuration file /etc/kubernetes/manifests/kube-apiserver.yaml
and add the highlighted lines under the relevant sections :
... spec: containers: - command: - kube-apiserver - --audit-policy-file=/etc/kubernetes/audit-policy.yaml - --audit-webhook-config-file=/etc/kubernetes/audit-webhook.yaml - --audit-webhook-batch-max-size=1 ... volumeMounts: - mountPath: /etc/kubernetes/audit-policy.yaml name: audit readOnly: true - mountPath: /etc/kubernetes/audit-webhook.yaml name: audit-webhook readOnly: true ... volumes: - hostPath: path: /etc/kubernetes/audit-policy.yaml type: File name: audit - hostPath: path: /etc/kubernetes/audit-webhook.yaml type: File name: audit-webhook
4. Restart Kubelet to apply the changes:
# systemctl restart kubelet
Create detection rules on the Wazuh server
We create a base rule 110002
that matches all Kubernetes audit events received via the webhook listener. Rule 110003
alerts Kubernetes “create” events, while rule 110004
alerts Kubernetes “delete” events.
1. Add the following rules to the Wazuh server at /var/ossec/etc/rules/local_rules.xml
:
<group name="k8s_audit,"> <rule id="110002" level="0"> <location>k8s</location> <field name="apiVersion">audit</field> <description>Kubernetes audit log.</description> </rule> <rule id="110003" level="5"> <if_sid>110002</if_sid> <regex type="pcre2">requestURI":.+", "verb": "create</regex> <description>Kubernetes request to create resource</description> </rule> <rule id="110004" level="5"> <if_sid>110002</if_sid> <regex type="pcre2">requestURI":.+", "verb": "delete</regex> <description>Kubernetes request to delete resource</description> </rule> </group>
2. Restart the Wazuh manager to apply the rules:
# systemctl restart wazuh-manager
Test the configuration
Test the rules by creating and deleting a deployment on the Kubernetes cluster.
1. Run the following command on the Kubernetes master node to create a new deployment:
# kubectl create deployment hello-minikube --image=k8s.gcr.io/echoserver:1.4
2. Run the following command to delete the deployment:
# kubectl delete deployment hello-minikube
You get alerts similar to the following on the Wazuh dashboard when resources are created or deleted in the monitored Kubernetes cluster.
One of the logs is shown below:
{ "kind": "EventList", "apiVersion": "audit.k8s.io/v1", "metadata": {}, "items": [ { "level": "Metadata", "auditID": "6ae321a6-0735-41a6-a9d9-050f9a75644c", "stage": "ResponseComplete", "requestURI": "/apis/apps/v1/namespaces/default/deployments?fieldManager=kubectl-create&fieldValidation=Strict", "verb": "create", "user": { "username": "minikube-user", "groups": [ "system:masters", "system:authenticated" ] }, "sourceIPs": [ "192.168.132.137" ], "userAgent": "kubectl/v1.25.3 (linux/amd64) kubernetes/434bfd8", "objectRef": { "resource": "deployments", "namespace": "default", "name": "hello-minikube", "apiGroup": "apps", "apiVersion": "v1" }, "responseStatus": { "metadata": {}, "code": 201 }, "requestReceivedTimestamp": "2022-11-08T15:45:13.929428Z", "stageTimestamp": "2022-11-08T15:45:13.946284Z", "annotations": { "authorization.k8s.io/decision": "allow", "authorization.k8s.io/reason": "" } } ] }
Additional rules can be added to alert Kubernetes “update” and “patch” events. Please note that alerting these events will generate huge volumes of alerts. Alternatively, if you wish to log all Kubernetes events without alerting them, you can save all the logs to the archive.
Save all Kubernetes logs to the Wazuh archive
Please be aware that using the Wazuh archive to save all incoming logs consumes a significant amount of storage space depending on the number of events received per second.
1. To save all logs to the archive, edit the Wazuh server configuration file /var/ossec/etc/ossec.conf
and set the value of logall_json
to yes
. An example is shown below:
<ossec_config> <global> <jsonout_output>yes</jsonout_output> <alerts_log>yes</alerts_log> <logall>no</logall> <logall_json>yes</logall_json> ... </ossec_config>
2. Restart the Wazuh manager to apply the change:
# systemctl restart wazuh-manager
3. To display archive logs on the Wazuh dashboard, modify the Filebeat configuration file /etc/filebeat/filebeat.yml
and enable archives:
... filebeat.modules: - module: wazuh alerts: enabled: true archives: enabled: true ...
4. Restart filebeat to apply the change:
# systemctl restart filebeat
5. On the Wazuh dashboard, click the upper-left menu icon and navigate to Stack management -> Index patterns -> Create index pattern
. Use wazuh-archives-*
as the index pattern name, and set @timestamp
in the Time field. The GIF below shows how to create the index pattern:
6. To view the events on the dashboard, click the upper-left menu icon and navigate to Discover
. Change the index pattern to wazuh-archives-*
and then add the filter data.apiVersion: exists
to view all Kubernetes events. The GIF below shows how to view the archive events on the Wazuh dashboard:
References
The post Auditing Kubernetes with Wazuh appeared first on Wazuh.
Public preview: New Memory Optimized VM sizes – E96bsv5 and E112ibsv5
New VM sizes provide the best remote storage performance of any Azure VMs to date. You can now process more data with fewer vCPUs while potentially reducing software licensing costs.
More ways to prevent data exfiltration on iOS devices
What’s changing
- Copying Google Workspace files and data to personal apps
- Sharing Google Workspace data to personal accounts via AirDrop and the iOS share sheet
- Air Printing Google Workspace files
- Saving Google Workspace items to files with the iOS share sheet
- Saving Google Workspace images/videos to iOS photos
- Assigning items from Google Workspace to Contacts with the iOS share sheet.
Who’s impacted
Why it’s important
Getting started
- Admins: These settings can also apply to any OU level throughout the organization, to scale your policy settings to any iOS mobile device within your organization. These settings can be configured in the Admin console under Devices > Mobile and endpoints > iOS settings > Data Sharing. Visit the Help Center to learn more about data protection on iOS devices.
- End users: There is no end-user setting for this feature. Restricted actions are not shown except for “Save to files”, in which case a dialog pops up notifying the user that this action is restricted.
Rollout pace
- Rapid Release and Scheduled Release domains: Gradual rollout (up to 15 days for feature visibility) starting on December 6, 2022
Availability
- Available to Google Workspace Enterprise Standard, Enterprise Plus, Enterprise for Education, and Cloud Identity Premium customers.
Resources
OpenSSL 3.0 vulnerability audit using Wazuh
OpenSSL is a popular open source cryptography library. Applications that secure communication over computer networks use OpenSSL to implement SSL (Secure Socket Layer) and TLS (Transport Layer Security). OpenSSL provides different utility functions, such as generating public and private keys to initiate secure communications.
The OpenSSL project recently announced the release of OpenSSL 3.0.7
. This release was made available on 1st November 2022 as a security fix for two high-severity vulnerabilities, CVE-2022-3602 and CVE-2022-3786.
1. CVE-2022-3602 (X.509 Email Address 4-byte Buffer Overflow): This vulnerability occurs because OpenSSL processes Punycode incorrectly when checking X.509 certificates. Punycode is a unique encoding system for representing Unicode characters in multiple languages using ASCII character subset. It is used to encode Domain names that contain non-ASCII characters. The specific vulnerable function in OpenSSL is the ossl_punycode_decode
. This vulnerable function may trigger a buffer overflow when OpenSSL processes a certificate chain when decoding Punycode strings. This vulnerability was reported on 17th October 2022 by SandboxEscaper. The OpenSSL project initially rated CVE-2022-3602 as a “critical” vulnerability, but it was later downgraded to “high” because it does not reliably initiate Remote Code Execution (RCE).
2. CVE-2022-3786 (X.509 Email Address Variable Length Buffer Overflow): This vulnerability triggers a buffer overflow in the vulnerable ossl_a2ulable
function. When the vulnerable function interacts with a Punycode character accompanied by a dot character (.), the ossl_a2ulable
function appends the dot character to the buffer output. This action happens even when the action overflows the size of the buffer. An attacker will trigger a buffer overflow by using any number of dot characters, leading to the stack corruption. This vulnerability was found by Viktor Dukhovni on 18th October 2022 while researching CVE-2022-3602.
Both vulnerabilities are buffer overflow vulnerabilities that OpenSSL triggers in the name constraint checking function of the X.509 certificate verification. A certificate chain signature verification must occur for an attacker to exploit these vulnerabilities. These vulnerabilities are exploited when:
- A certificate authority (CA) signs a malicious certificate. Here, an attacker will create a CA certificate that contains the
nameConstraints
field with a malicious Punycode string containing at least 512 bytes excluding “xn--”. Alternatively, an attacker can create a leaf certificate containing theotherName
field of an X.509 Subject Alternative Name (SAN). This field specifies an SmtpUTF8Mailbox string. - An application verifies a malicious certificate despite failure to build a trusted issuer path.
CVE-2022-3602 and CVE-2022-3786 both lead to Denial of Service (DoS). An attacker will crash an application using OpenSSL by sending a certificate containing a malicious Punycode-encoded email to the application for parsing.
The affected versions of OpenSSL are 3.0.0
through 3.0.6
, while the earlier versions, OpenSSL 0.9.x
, 1.0.x
, and 1.1.x
are not affected by the mentioned vulnerabilities. There are no available working exploits at the time of writing this blog post.
The fix for CVE-2022-3602 in the punycode decoder was implemented by simply changing “>
” to “>=
” in the source code, as shown below:
n = n + i / (written_out + 1); i %= (written_out + 1); if (written_out >= max_out) return 0; memmove(pDecoded + i + 1, pDecoded + i
This shows how a one-byte error can trigger a high severity vulnerability.
To ensure airtight security, organizations must prioritize inventorying and scanning all available systems for vulnerable software versions, in this case, OpenSSL. In this blog post, we detect the vulnerable versions of OpenSSL on an endpoint with the Wazuh Vulnerability Detector module and the Security Configuration Assessment (SCA) module.
Detection with Wazuh
To demonstrate Wazuh capabilities for detecting the OpenSSL 3.0.0 – 3.0.6 vulnerabilities, we set up the following infrastructure:
1. A pre-built ready-to-use Wazuh OVA 4.3.10. Follow this guide to download the virtual machine.
2. Ubuntu 22.04 and Windows 11 endpoints with OpenSSL 3.0.1 to 3.0.6 installed. You can install a Wazuh agent and enroll it to a Wazuh server by following the deploying Wazuh agents guide.
Vulnerability detector
The Wazuh Vulnerability Detector module can detect vulnerable versions of the OpenSSL package. It can discover vulnerabilities affecting applications and the operating system of monitored endpoints. The Vulnerability Detector module first downloads and stores the data of all vulnerabilities from multiple publicly available CVE repositories. Then, the Wazuh server builds a global vulnerability database from the gathered data. Finally, the Wazuh global vulnerability database is cross-correlated with the endpoint inventory data to detect vulnerabilities.
Take the following steps to configure the Wazuh Vulnerability Detector module:
Wazuh server
1. Edit the /var/ossec/etc/ossec.conf
file and enable the Vulnerability Detector module:
<ossec_config> … <vulnerability-detector> <enabled>yes</enabled> … </vulnerability-detector> … </ossec_config>
2. Edit the /var/ossec/etc/ossec.conf
configuration file and enable the operating system provider of the monitored endpoint. In this section, we will use an Ubuntu endpoint for the Vulnerability Detector module. We then enable Canonical
, the publisher of Ubuntu.
<ossec_config> … <vulnerability-detector> … <!-- Ubuntu OS vulnerabilities --> <provider name="canonical"> <enabled>yes</enabled> <os>trusty</os> <os>xenial</os> <os>bionic</os> <os>focal</os> <os>jammy</os> <update_interval>1h</update_interval> </provider> … </vulnerability-detector> … </ossec_config>
3. Restart the Wazuh manager to apply the changes:
# systemctl restart wazuh-manager
4. View the Wazuh Vulnerability Detector events on the Wazuh dashboard by navigating to Modules > Vulnerabilities > Select agent, and select the Ubuntu endpoint.
After completing the Wazuh vulnerability scan, we wait for a few minutes and will see the CVE-2022-3786 and CVE-2022-3602 vulnerabilities as part of the inventory of the vulnerable monitored endpoint on the Wazuh dashboard:
Security Configuration Assessment
The Wazuh SCA module runs checks that test system hardening, detect vulnerable software, and validate configuration policies. In this section, we utilize SCA to detect the vulnerable versions of OpenSSL on Windows.
Note
Run the below commands using Administrator privileges.
Windows endpoint
1. Create a directory to hold local SCA policy files:
mkdir "C:Program Files (x86)"local_sca_policies
Custom SCA policies inside the Wazuh default ruleset folders are not kept across updates. This is why the C:Program Files (x86)local_sca_policies
directory is created outside the Wazuh agent installation folder.
2. Create a new policy file C:Program Files (x86)local_sca_policiesopenssl3x_check.yml
and add the following content:
policy: id: "openssl3x_check" file: "openssl3x_check.yml" name: "OpenSSL 3.0.x vulnerability check on Windows" description: "Detecting vulnerable versions of OpenSSL." references: - https://www.openssl.org/news/secadv/20221101.txt/ requirements: title: "Check that Windows is installed" description: "Requirements for running the SCA scan against machines with OpenSSL on them." condition: all rules: - 'r:HKLMSOFTWAREMicrosoftWindows NTCurrentVersion -> ProductName -> r:^Windows' checks: - id: 10001 title: "Ensure OpenSSL is not between 3.0.0 to 3.0.6." description: "The OpenSSL 3.0.0 to 3.0.6 is vulnerable to CVE-2022-3602 & CVE-2022-3786 leading to potential denial of service" rationale: "New vulnerabilities have been discovered in OpenSSL. It is important to update to the latest version of OpenSSL to prevent discovered vulnerabilities in previous versions from being exploited." remediation: "Update OpenSSL to a version greater than or equal to 3.0.7" condition: none rules: - "c:powershell Get-command openssl -> r:3.0.0|3.0.1|3.0.2|3.0.3|3.0.4|3.0.5|3.0.6"
Note
The local custom SCA policy file can also be distributed to other endpoints that you want to check for the OpenSSL vulnerability on by using a remote deployment tool like Ansible, or the Windows GPO.
3. Edit C:Program Files (x86)ossec-agentossec.conf
to contain the SCA block:
<sca> <policies> <policy>C:Program Files (x86)local_sca_policiesopenssl3x_check.yml</policy> </policies> </sca>
4. Restart the Wazuh agent to apply the changes:
NET STOP WazuhSvc NET START WazuhSvc
Testing the configuration
We can see the SCA scan results for an endpoint with the infected version of OpenSSL:
Mitigation
It is recommended by OpenSSL to upgrade any vulnerable installation of OpenSSL to the OpenSSL project released OpenSSL-3.0.7 fix.
Red Hat Enterprise users can update to the Red Hat patched version openssl-3.0.1-43.el9_0.
Ubuntu 22.04 and 22.10 users can update to the Canonical patched version 3.0.2-0ubuntu1.7 and 3.0.5-2ubuntu2, respectively.
Conclusion
This blog post demonstrates how Wazuh detects OpenSSL libraries with the CVE-2022-3602 and CVE-2022-3786 vulnerabilities. The Wazuh Vulnerability Detector can be used by organizations to detect existing vulnerabilities across different operating systems on a large scale. The Wazuh Security Configuration Assessment (SCA) module can also be used to check for vulnerable OpenSSL versions on multiple endpoints.
Do you have any questions? Join our community on Slack.
References
- OpenSSL Security Advisory
- Wazuh vulnerability detection
- Check Point Research Update
- OpenSSL Team Blog – CVE-2022-3786 and CVE-2022-3602: X.509 Email Address Buffer Overflows
The post OpenSSL 3.0 vulnerability audit using Wazuh appeared first on Wazuh.
Generally available: Azure Site Recovery update rollup 65 – November 2022
This article describes the improvements for the latest version of Azure Site Recovery components.
General Availability: Azure Automation Hybrid Runbook Worker Extension
Azure Automation announces General Availability of Azure Automation Hybrid Runbook Worker Extension
Google Workspace Updates Weekly Recap – December 2, 2022
New updates
There are no new updates to share this week. Please see below for a recap of published announcements.
Previous announcements
The announcements below were published on the Workspace Updates blog earlier this week. Please refer to the original blog posts for complete details.
Improved meeting quality when joining on virtual machines
BlueHat 2023: Applications to Attend NOW OPEN!
We are excited to announce that applications to attend BlueHat 2023 are now open! BlueHat 2023 will be the 20th version of the BlueHat conference and will once again be on the Microsoft campus in Redmond, WA, USA, from February 8 – 9, 2023. Hosted by the Microsoft Security Response Center (MSRC), BlueHat is where …
Community support for Azure Functions Proxies will end on 30 September 2025
Transition to Azure API Management as soon as possible to avoid disruption to your Function applications using Proxies.