From 9a26ce0857115142500ad1b2f600f7ed150e6e44 Mon Sep 17 00:00:00 2001 From: Neethu Elizabeth Simon Date: Wed, 11 Mar 2026 12:37:14 -0700 Subject: [PATCH 1/4] fix:rename csv source file --- embedding-generation/Dockerfile | 4 ++-- .../{urls-to-chunk.csv => vector-db-sources.csv} | 0 2 files changed, 2 insertions(+), 2 deletions(-) rename embedding-generation/{urls-to-chunk.csv => vector-db-sources.csv} (100%) diff --git a/embedding-generation/Dockerfile b/embedding-generation/Dockerfile index 1ed8fb8..dc88a56 100644 --- a/embedding-generation/Dockerfile +++ b/embedding-generation/Dockerfile @@ -33,7 +33,7 @@ WORKDIR /embedding-data # Copy Python scripts and dependencies COPY generate-chunks.py . COPY local_vectorstore_creation.py . -COPY urls-to-chunk.csv . +COPY vector-db-sources.csv . COPY requirements.txt . # Copy intrinsic chunks data from the cached base image @@ -43,7 +43,7 @@ COPY --from=intrinsic-chunks /embedding-data/intrinsic_chunks ./intrinsic_chunks RUN pip3 install --no-cache-dir --break-system-packages -r requirements.txt # Generate vector database -RUN python3 generate-chunks.py urls-to-chunk.csv && \ +RUN python3 generate-chunks.py vector-db-sources.csv && \ python3 local_vectorstore_creation.py && \ rm -f embeddings_*.txt diff --git a/embedding-generation/urls-to-chunk.csv b/embedding-generation/vector-db-sources.csv similarity index 100% rename from embedding-generation/urls-to-chunk.csv rename to embedding-generation/vector-db-sources.csv From 2e7db2cad3db670dd4ca1de54bd6fd22efa748ac Mon Sep 17 00:00:00 2001 From: Neethu Elizabeth Simon Date: Wed, 18 Mar 2026 14:51:29 -0700 Subject: [PATCH 2/4] refactor: generate-chunks --- .github/workflows/embedding-unit-tests.yml | 37 + embedding-generation/generate-chunks.py | 144 +- embedding-generation/tests/__init__.py | 13 + embedding-generation/tests/conftest.py | 19 + .../tests/test_generate_chunks.py | 464 +++++ embedding-generation/vector-db-sources.csv | 1642 ++++++++++++++++- 6 files changed, 2313 insertions(+), 6 deletions(-) create mode 100644 .github/workflows/embedding-unit-tests.yml create mode 100644 embedding-generation/tests/__init__.py create mode 100644 embedding-generation/tests/conftest.py create mode 100644 embedding-generation/tests/test_generate_chunks.py diff --git a/.github/workflows/embedding-unit-tests.yml b/.github/workflows/embedding-unit-tests.yml new file mode 100644 index 0000000..d0c5930 --- /dev/null +++ b/.github/workflows/embedding-unit-tests.yml @@ -0,0 +1,37 @@ +name: Embedding Generation Unit Tests + +on: + push: + branches: [main] + paths: + - 'embedding-generation/**' + - '.github/workflows/embedding-unit-tests.yml' + pull_request: + branches: [main] + paths: + - 'embedding-generation/**' + - '.github/workflows/embedding-unit-tests.yml' + +jobs: + test: + runs-on: ubuntu-latest + defaults: + run: + working-directory: embedding-generation + + steps: + - name: Checkout + uses: actions/checkout@v4 + + - name: Set up Python + uses: actions/setup-python@v5 + with: + python-version: '3.11' + + - name: Install dependencies + run: | + python -m pip install --upgrade pip + pip install pytest pyyaml requests beautifulsoup4 boto3 + + - name: Run unit tests + run: python -m pytest tests/ -v --tb=short diff --git a/embedding-generation/generate-chunks.py b/embedding-generation/generate-chunks.py index 17366ab..53488bd 100644 --- a/embedding-generation/generate-chunks.py +++ b/embedding-generation/generate-chunks.py @@ -96,9 +96,90 @@ def ensure_intrinsic_chunks_from_s3(local_folder='intrinsic_chunks', # Global var to prevent duplication entries from cross platform learning paths cross_platform_lps_dont_duplicate = [] +# Global tracking for vector-db-sources.csv +# Set of URLs already in the CSV (for deduplication) +known_source_urls = set() +# List of all source entries (including existing and new) +# Each entry is a dict: {site_name, license_type, display_name, url, keywords} +all_sources = [] + # Increase the file size limit, which defaults to '131,072' csv.field_size_limit(10**9) #1,000,000,000 (1 billion), smaller than 64-bit space but avoids 'python overflowerror' + +def load_existing_sources(csv_file): + """ + Load existing sources from vector-db-sources.csv into memory. + Populates known_source_urls set and all_sources list. + """ + global known_source_urls, all_sources + known_source_urls = set() + all_sources = [] + + if not os.path.exists(csv_file): + print(f"Sources file '{csv_file}' does not exist. Starting fresh.") + return + + with open(csv_file, 'r', newline='', encoding='utf-8') as file: + reader = csv.DictReader(file) + for row in reader: + url = row.get('URL', '').strip() + if url: + known_source_urls.add(url) + all_sources.append({ + 'site_name': row.get('Site Name', ''), + 'license_type': row.get('License Type', ''), + 'display_name': row.get('Display Name', ''), + 'url': url, + 'keywords': row.get('Keywords', '') + }) + + print(f"Loaded {len(all_sources)} existing sources from '{csv_file}'") + + +def register_source(site_name, license_type, display_name, url, keywords): + """ + Register a new source URL. If the URL already exists, skip it. + Returns True if the source was added, False if it was a duplicate. + """ + global known_source_urls, all_sources + + # Normalize URL for comparison + url = url.strip() + + if url in known_source_urls: + return False + + known_source_urls.add(url) + all_sources.append({ + 'site_name': site_name, + 'license_type': license_type, + 'display_name': display_name, + 'url': url, + 'keywords': keywords if isinstance(keywords, str) else '; '.join(keywords) + }) + print(f"[NEW SOURCE] {display_name}: {url}") + return True + + +def save_sources_csv(csv_file): + """ + Write all sources (existing + new) to vector-db-sources.csv. + """ + with open(csv_file, 'w', newline='', encoding='utf-8') as file: + writer = csv.writer(file) + writer.writerow(['Site Name', 'License Type', 'Display Name', 'URL', 'Keywords']) + for source in all_sources: + writer.writerow([ + source['site_name'], + source['license_type'], + source['display_name'], + source['url'], + source['keywords'] + ]) + + print(f"Saved {len(all_sources)} sources to '{csv_file}'") + class Chunk: def __init__(self, title, url, uuid, keywords, content): self.title = title @@ -180,9 +261,20 @@ def createTextSnippet(main_row): keywords.append(c.replace('tag-license-','').replace('tag-category-','')) + package_url = f"{url}?package={package_name_urlized}" + + # Register this ecosystem dashboard entry as a source + register_source( + site_name='Ecosystem Dashboard', + license_type='Arm Proprietary', + display_name=f'Ecosystem Dashboard - {package_name}', + url=package_url, + keywords=keywords + ) + chunk = Chunk( title = f"Ecosystem Dashboard - {package_name}", - url = f"{url}?package={package_name_urlized}", + url = package_url, uuid = str(uuid.uuid4()), keywords = keywords, content = text_snippet @@ -352,6 +444,27 @@ def chunkizeLearningPath(relative_url, title, keywords): response = http_session.get(url, timeout=60) soup = BeautifulSoup(response.text, 'html.parser') + + # Get learning path title and keywords once for registration + lp_title_elem = soup.find(id='learning-path-title') + if lp_title_elem: + lp_title = lp_title_elem.get_text() + ads_tags = soup.findAll('ads-tag') + lp_keywords = [] + for tag in ads_tags: + keyword = tag.get_text().strip() + if keyword not in lp_keywords: + lp_keywords.append(keyword) + + # Register this learning path as a source + register_source( + site_name='Learning Paths', + license_type='CC4.0', + display_name=f'Learning Path - {lp_title}', + url=url, + keywords=lp_keywords + ) + for link in soup.find_all(class_='inner-learning-path-navbar-element'): #Ignore mobile links if 'content-individual-a-mobile' not in link.get('class', []): @@ -392,11 +505,24 @@ def chunkizeLearningPath(relative_url, title, keywords): ig_soup = BeautifulSoup(ig_response.text, 'html.parser') # obtain title of Install Guide - title = 'Install Guide - '+ ig_soup.find(id='install-guide-title').get_text() + ig_title_elem = ig_soup.find(id='install-guide-title') + if not ig_title_elem: + continue + ig_title = ig_title_elem.get_text() + title = 'Install Guide - '+ ig_title # Obtain keywords of learning path - keywords = [ig_soup.find(id='install-guide-title').get_text(), 'install','build', 'download'] + keywords = [ig_title, 'install','build', 'download'] + + # Register this install guide as a source + register_source( + site_name='Install Guides', + license_type='CC4.0', + display_name=title, + url=ig_url, + keywords=keywords + ) # Processing to check for multi-install multi_install_guides = ig_soup.find_all(class_='multi-install-card') @@ -710,6 +836,10 @@ def main(): parser = argparse.ArgumentParser(description="Turn a Learning Path URL into suburls in GitHub") parser.add_argument("csv_file", help="Path to the CSV file that lists all Learning Paths to chunk.") args = parser.parse_args() + sources_file = args.csv_file + + # Load existing sources from vector-db-sources.csv (for deduplication) + load_existing_sources(sources_file) # 0) Initialize files os.makedirs(yaml_dir, exist_ok=True) # create if doesn't exist @@ -729,9 +859,9 @@ def main(): #createIntrinsicsDatabaseChunks() # 1) Get URLs and details from CSV - csv_dict, csv_length = readInCSV(args.csv_file) + csv_dict, csv_length = readInCSV(sources_file) - print(f'Starting to loop over CSV file {args.csv_file} ......') + print(f'Starting to loop over CSV file {sources_file} ......') for i in range(csv_length): url = csv_dict['urls'][i] source_name = csv_dict['source_names'][i] @@ -759,6 +889,10 @@ def main(): chunk = createChunk(text_snippet, WEBSITE_url, keywords, source_name) chunkSaveAndTrack(url,chunk) + # Save updated sources CSV with all discovered sources + save_sources_csv(sources_file) + print(f"\n=== Source tracking complete ===") + print(f"Total sources in {sources_file}: {len(all_sources)}") if __name__ == "__main__": diff --git a/embedding-generation/tests/__init__.py b/embedding-generation/tests/__init__.py new file mode 100644 index 0000000..a675d2e --- /dev/null +++ b/embedding-generation/tests/__init__.py @@ -0,0 +1,13 @@ +# Copyright © 2026, Arm Limited and Contributors. All rights reserved. +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. diff --git a/embedding-generation/tests/conftest.py b/embedding-generation/tests/conftest.py new file mode 100644 index 0000000..f271049 --- /dev/null +++ b/embedding-generation/tests/conftest.py @@ -0,0 +1,19 @@ +# Copyright © 2026, Arm Limited and Contributors. All rights reserved. +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. + +import os +import sys + +# Add parent directory to path for imports +sys.path.insert(0, os.path.dirname(os.path.dirname(os.path.abspath(__file__)))) diff --git a/embedding-generation/tests/test_generate_chunks.py b/embedding-generation/tests/test_generate_chunks.py new file mode 100644 index 0000000..45883dd --- /dev/null +++ b/embedding-generation/tests/test_generate_chunks.py @@ -0,0 +1,464 @@ +# Copyright © 2026, Arm Limited and Contributors. All rights reserved. +# +# Licensed under the Apache License, Version 2.0 (the "License"); +# you may not use this file except in compliance with the License. +# You may obtain a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, +# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +# See the License for the specific language governing permissions and +# limitations under the License. + +import pytest +import os +import sys +import csv + +# Add parent directory to path for imports +sys.path.insert(0, os.path.dirname(os.path.dirname(os.path.abspath(__file__)))) + +# Import module with hyphen in name using importlib +import importlib.util +spec = importlib.util.spec_from_file_location( + "generate_chunks", + os.path.join(os.path.dirname(os.path.dirname(os.path.abspath(__file__))), "generate-chunks.py") +) +gc = importlib.util.module_from_spec(spec) +spec.loader.exec_module(gc) + + +class TestChunkClass: + """Tests for the Chunk class.""" + + def test_chunk_creation(self): + """Test basic Chunk creation.""" + chunk = gc.Chunk( + title="Test Title", + url="https://example.com", + uuid="test-uuid-123", + keywords=["python", "testing"], + content="This is test content." + ) + + assert chunk.title == "Test Title" + assert chunk.url == "https://example.com" + assert chunk.uuid == "test-uuid-123" + assert chunk.content == "This is test content." + + def test_chunk_keywords_formatting(self): + """Test that keywords are properly formatted to lowercase comma-separated string.""" + chunk = gc.Chunk( + title="Test", + url="https://example.com", + uuid="uuid", + keywords=["Python", "TESTING", "Arm"], + content="content" + ) + + assert chunk.keywords == "python, testing, arm" + + def test_chunk_keywords_with_spaces(self): + """Test keywords with leading/trailing spaces.""" + chunk = gc.Chunk( + title="Test", + url="https://example.com", + uuid="uuid", + keywords=[" python ", "testing "], + content="content" + ) + + # formatKeywords joins then strips the whole string + assert chunk.keywords == "python , testing" + + def test_chunk_to_dict(self): + """Test toDict method returns correct dictionary.""" + chunk = gc.Chunk( + title="Test Title", + url="https://example.com", + uuid="test-uuid", + keywords=["key1", "key2"], + content="Test content" + ) + + result = chunk.toDict() + + assert result == { + 'title': "Test Title", + 'url': "https://example.com", + 'uuid': "test-uuid", + 'keywords': "key1, key2", + 'content': "Test content" + } + + def test_chunk_empty_keywords(self): + """Test Chunk with empty keywords list.""" + chunk = gc.Chunk( + title="Test", + url="https://example.com", + uuid="uuid", + keywords=[], + content="content" + ) + + assert chunk.keywords == "" + + +class TestSourceTracking: + """Tests for source tracking functions.""" + + @pytest.fixture(autouse=True) + def reset_globals(self): + """Reset global variables before each test.""" + gc.known_source_urls = set() + gc.all_sources = [] + yield + gc.known_source_urls = set() + gc.all_sources = [] + + def test_register_source_new(self): + """Test registering a new source.""" + result = gc.register_source( + site_name="Test Site", + license_type="MIT", + display_name="Test Display", + url="https://example.com/test", + keywords=["test", "example"] + ) + + assert result is True + assert "https://example.com/test" in gc.known_source_urls + assert len(gc.all_sources) == 1 + assert gc.all_sources[0]['url'] == "https://example.com/test" + assert gc.all_sources[0]['keywords'] == "test; example" + + def test_register_source_duplicate(self): + """Test that duplicate URLs are rejected.""" + gc.register_source( + site_name="Test Site", + license_type="MIT", + display_name="Test Display", + url="https://example.com/test", + keywords="test" + ) + + result = gc.register_source( + site_name="Test Site 2", + license_type="Apache", + display_name="Different Display", + url="https://example.com/test", + keywords="different" + ) + + assert result is False + assert len(gc.all_sources) == 1 + + def test_register_source_url_normalization(self): + """Test that URLs are stripped of whitespace.""" + gc.register_source( + site_name="Test", + license_type="MIT", + display_name="Test", + url=" https://example.com/test ", + keywords="test" + ) + + assert "https://example.com/test" in gc.known_source_urls + + def test_register_source_string_keywords(self): + """Test that string keywords are preserved as-is.""" + gc.register_source( + site_name="Test", + license_type="MIT", + display_name="Test", + url="https://example.com", + keywords="already; formatted; string" + ) + + assert gc.all_sources[0]['keywords'] == "already; formatted; string" + + def test_load_existing_sources_file_not_exists(self, tmp_path): + """Test loading from non-existent file.""" + gc.load_existing_sources(str(tmp_path / "nonexistent.csv")) + + assert len(gc.all_sources) == 0 + assert len(gc.known_source_urls) == 0 + + def test_load_existing_sources(self, tmp_path): + """Test loading sources from CSV file.""" + csv_file = tmp_path / "sources.csv" + csv_file.write_text( + "Site Name,License Type,Display Name,URL,Keywords\n" + "Test Site,MIT,Test Display,https://example.com/1,key1; key2\n" + "Another Site,Apache,Another Display,https://example.com/2,key3\n" + ) + + gc.load_existing_sources(str(csv_file)) + + assert len(gc.all_sources) == 2 + assert "https://example.com/1" in gc.known_source_urls + assert "https://example.com/2" in gc.known_source_urls + assert gc.all_sources[0]['site_name'] == "Test Site" + assert gc.all_sources[1]['display_name'] == "Another Display" + + def test_save_sources_csv(self, tmp_path): + """Test saving sources to CSV file.""" + gc.all_sources = [ + { + 'site_name': 'Site 1', + 'license_type': 'MIT', + 'display_name': 'Display 1', + 'url': 'https://example.com/1', + 'keywords': 'key1; key2' + }, + { + 'site_name': 'Site 2', + 'license_type': 'Apache', + 'display_name': 'Display 2', + 'url': 'https://example.com/2', + 'keywords': 'key3' + } + ] + + csv_file = tmp_path / "output.csv" + gc.save_sources_csv(str(csv_file)) + + # Read and verify + with open(csv_file, 'r') as f: + reader = csv.reader(f) + rows = list(reader) + + assert rows[0] == ['Site Name', 'License Type', 'Display Name', 'URL', 'Keywords'] + assert rows[1] == ['Site 1', 'MIT', 'Display 1', 'https://example.com/1', 'key1; key2'] + assert rows[2] == ['Site 2', 'Apache', 'Display 2', 'https://example.com/2', 'key3'] + + def test_load_and_save_roundtrip(self, tmp_path): + """Test that loading and saving preserves data.""" + csv_file = tmp_path / "sources.csv" + original_content = ( + "Site Name,License Type,Display Name,URL,Keywords\n" + "Test Site,MIT,Test Display,https://example.com/test,keyword1; keyword2\n" + ) + csv_file.write_text(original_content) + + # Load + gc.load_existing_sources(str(csv_file)) + + # Add a new source + gc.register_source( + site_name="New Site", + license_type="Apache", + display_name="New Display", + url="https://new.example.com", + keywords=["new", "keywords"] + ) + + # Save + gc.save_sources_csv(str(csv_file)) + + # Verify + gc.known_source_urls = set() + gc.all_sources = [] + gc.load_existing_sources(str(csv_file)) + + assert len(gc.all_sources) == 2 + assert "https://example.com/test" in gc.known_source_urls + assert "https://new.example.com" in gc.known_source_urls + + +class TestGetMarkdownGitHubURLsFromPage: + """Tests for getMarkdownGitHubURLsFromPage function.""" + + def test_migration_url(self): + """Test handling of migration page URL.""" + gh_urls, site_urls = gc.getMarkdownGitHubURLsFromPage("https://learn.arm.com/migration") + + assert len(gh_urls) == 1 + assert len(site_urls) == 1 + assert "raw.githubusercontent.com" in gh_urls[0] + assert "migration/_index.md" in gh_urls[0] + assert site_urls[0] == "https://learn.arm.com/migration" + + def test_graviton_url(self): + """Test handling of Graviton getting started URL.""" + url = "https://github.com/aws/aws-graviton-getting-started/blob/main/README.md" + gh_urls, site_urls = gc.getMarkdownGitHubURLsFromPage(url) + + assert len(gh_urls) == 1 + assert len(site_urls) == 1 + assert "raw.githubusercontent.com/aws/aws-graviton-getting-started" in gh_urls[0] + assert "README.md" in gh_urls[0] + + def test_graviton_nested_url(self): + """Test handling of nested Graviton URL.""" + url = "https://github.com/aws/aws-graviton-getting-started/blob/main/machinelearning/pytorch.md" + gh_urls, site_urls = gc.getMarkdownGitHubURLsFromPage(url) + + assert len(gh_urls) == 1 + assert "machinelearning/pytorch.md" in gh_urls[0] + + def test_unknown_url_returns_empty(self, capsys): + """Test that unknown URLs return empty lists and print warning.""" + gh_urls, site_urls = gc.getMarkdownGitHubURLsFromPage("https://unknown.com/page") + + assert gh_urls == [] + assert site_urls == [] + + captured = capsys.readouterr() + assert "doesnt match expected format" in captured.out + + +class TestObtainTextSnippetsMarkdown: + """Tests for obtainTextSnippets__Markdown function.""" + + def test_single_short_content(self): + """Test content shorter than min_words stays as one chunk.""" + content = "This is a short piece of content with only a few words." + + chunks = gc.obtainTextSnippets__Markdown(content, min_words=10, max_words=50) + + assert len(chunks) == 1 + + def test_split_by_h2(self): + """Test that content is split by h2 headings.""" + content = """ +## Section One +""" + "word " * 350 + """ + +## Section Two +""" + "word " * 350 + + chunks = gc.obtainTextSnippets__Markdown(content, min_words=300, max_words=500) + + assert len(chunks) >= 2 + + def test_split_by_h3_when_h2_too_large(self): + """Test that large h2 sections are split by h3.""" + content = """ +## Large Section +""" + "word " * 200 + """ +### Subsection One +""" + "word " * 350 + """ +### Subsection Two +""" + "word " * 350 + + chunks = gc.obtainTextSnippets__Markdown(content, min_words=300, max_words=500) + + # Should have multiple chunks due to h3 splitting + assert len(chunks) >= 2 + + def test_small_final_chunk_merged(self): + """Test that small final chunks are merged with previous.""" + content = "word " * 400 + "\n\n" + "short ending" + + chunks = gc.obtainTextSnippets__Markdown(content, min_words=300, max_words=500, min_final_words=50) + + # The small ending should be merged + assert len(chunks) == 1 + assert "short ending" in chunks[0] + + def test_empty_content(self): + """Test handling of empty content.""" + chunks = gc.obtainTextSnippets__Markdown("") + + assert chunks == [] or chunks == [''] + + def test_respects_max_words(self): + """Test that chunks don't significantly exceed max_words when headers are present.""" + # Create content with h2 headers to enable splitting + content = """ +## Section One +""" + "word " * 400 + """ + +## Section Two +""" + "word " * 400 + """ + +## Section Three +""" + "word " * 400 + + chunks = gc.obtainTextSnippets__Markdown(content, min_words=100, max_words=200, min_final_words=50) + + # With headers, content should be split into multiple chunks + assert len(chunks) >= 2 + + +class TestReadInCSV: + """Tests for readInCSV function.""" + + def test_read_csv_basic(self, tmp_path): + """Test reading a basic CSV file.""" + csv_file = tmp_path / "test.csv" + csv_file.write_text( + "Site Name,License Type,Display Name,URL,Keywords\n" + "Site1,MIT,Display1,https://example.com/1,key1\n" + "Site2,Apache,Display2,https://example.com/2,key2\n" + ) + + csv_dict, length = gc.readInCSV(str(csv_file)) + + assert length == 2 + assert csv_dict['urls'] == ['https://example.com/1', 'https://example.com/2'] + assert csv_dict['source_names'] == ['Display1', 'Display2'] + assert csv_dict['focus'] == ['key1', 'key2'] + + def test_read_csv_empty(self, tmp_path): + """Test reading an empty CSV (header only).""" + csv_file = tmp_path / "empty.csv" + csv_file.write_text("Site Name,License Type,Display Name,URL,Keywords\n") + + csv_dict, length = gc.readInCSV(str(csv_file)) + + assert length == 0 + assert csv_dict['urls'] == [] + + +class TestCreateChunk: + """Tests for createChunk function.""" + + def test_create_chunk_basic(self): + """Test basic chunk creation.""" + chunk = gc.createChunk( + text_snippet="Test content", + WEBSITE_url="https://example.com", + keywords=["key1", "key2"], + title="Test Title" + ) + + assert chunk.title == "Test Title" + assert chunk.url == "https://example.com" + assert chunk.content == "Test content" + assert chunk.keywords == "key1, key2" + # UUID should be generated + assert len(chunk.uuid) > 0 + + def test_create_chunk_generates_unique_uuids(self): + """Test that each chunk gets a unique UUID.""" + chunk1 = gc.createChunk("content", "url", ["key"], "title") + chunk2 = gc.createChunk("content", "url", ["key"], "title") + + assert chunk1.uuid != chunk2.uuid + + +class TestCreateRetrySession: + """Tests for create_retry_session function.""" + + def test_creates_session(self): + """Test that a session is created.""" + session = gc.create_retry_session() + + assert session is not None + # Check that adapters are mounted + assert 'http://' in session.adapters + assert 'https://' in session.adapters + + def test_custom_retry_settings(self): + """Test session with custom retry settings.""" + session = gc.create_retry_session( + retries=3, + backoff_factor=2, + status_forcelist=(500, 503) + ) + + assert session is not None diff --git a/embedding-generation/vector-db-sources.csv b/embedding-generation/vector-db-sources.csv index 557c0df..a219193 100755 --- a/embedding-generation/vector-db-sources.csv +++ b/embedding-generation/vector-db-sources.csv @@ -31,4 +31,1644 @@ Graviton Getting Started Guide,CC4.0,Graviton - Debug 2,https://github.com/aws/a Graviton Getting Started Guide,CC4.0,Graviton - Debug 3,https://github.com/aws/aws-graviton-getting-started/blob/main/perfrunbook/debug_hw_perf.md,debug; system; hardware; performance; aws; gravition; basics; started; graviton2; graviton3; graviton4 Graviton Getting Started Guide,CC4.0,Graviton - Optimizing,https://github.com/aws/aws-graviton-getting-started/blob/main/perfrunbook/optimization_recommendation.md,performance; optimization; guide; aws; gravition; basics; started; graviton2; graviton3; graviton4 Graviton Getting Started Guide,CC4.0,Graviton - curated PMUs,https://github.com/aws/aws-graviton-getting-started/blob/main/perfrunbook/appendix.md,pmu; pmus; performance; monitoring; unit; aws; gravition; basics; started; graviton2; graviton3; graviton4 -Graviton Getting Started Guide,CC4.0,Graviton - assembly optimize,https://github.com/aws/aws-graviton-getting-started/blob/main/arm64-assembly-optimization.md,aarch64; assembly; optimization; performance; aws; gravition; basics; started; graviton2; graviton3; graviton4 \ No newline at end of file +Graviton Getting Started Guide,CC4.0,Graviton - assembly optimize,https://github.com/aws/aws-graviton-getting-started/blob/main/arm64-assembly-optimization.md,aarch64; assembly; optimization; performance; aws; gravition; basics; started; graviton2; graviton3; graviton4 +Install Guides,CC4.0,Install Guide - .NET SDK,https://learn.arm.com/install-guides/dotnet/,.NET SDK; install; build; download +Install Guides,CC4.0,Install Guide - Anaconda,https://learn.arm.com/install-guides/anaconda/,Anaconda; install; build; download +Install Guides,CC4.0,Install Guide - Ansible,https://learn.arm.com/install-guides/ansible/,Ansible; install; build; download +Install Guides,CC4.0,Install Guide - APerf,https://learn.arm.com/install-guides/aperf/,APerf; install; build; download +Install Guides,CC4.0,Install Guide - Arduino core for the Raspberry Pi Pico,https://learn.arm.com/install-guides/arduino-pico/,Arduino core for the Raspberry Pi Pico; install; build; download +Install Guides,CC4.0,Install Guide - Arm AMBA Viz,https://learn.arm.com/install-guides/ambaviz/,Arm AMBA Viz; install; build; download +Install Guides,CC4.0,Install Guide - Arm Compiler for Embedded,https://learn.arm.com/install-guides/armclang/,Arm Compiler for Embedded; install; build; download +Install Guides,CC4.0,Install Guide - Arm Compiler for Linux,https://learn.arm.com/install-guides/acfl/,Arm Compiler for Linux; install; build; download +Install Guides,CC4.0,Install Guide - Arm Development Studio,https://learn.arm.com/install-guides/armds/,Arm Development Studio; install; build; download +Install Guides,CC4.0,Install Guide - Arm Fast Models and FVPs,https://learn.arm.com/install-guides/fm_fvp/,Arm Fast Models and FVPs; install; build; download +Install Guides,CC4.0,Install Guide - Arm Instruction Emulator (armie),https://learn.arm.com/install-guides/armie/,Arm Instruction Emulator (armie); install; build; download +Install Guides,CC4.0,Install Guide - Arm IP Explorer,https://learn.arm.com/install-guides/ipexplorer/,Arm IP Explorer; install; build; download +Install Guides,CC4.0,Install Guide - Arm Keil Studio Cloud,https://learn.arm.com/install-guides/keilstudiocloud/,Arm Keil Studio Cloud; install; build; download +Install Guides,CC4.0,Install Guide - Arm Keil Studio for VS Code,https://learn.arm.com/install-guides/keilstudio_vs/,Arm Keil Studio for VS Code; install; build; download +Install Guides,CC4.0,Install Guide - Arm Keil μVision,https://learn.arm.com/install-guides/mdk/,Arm Keil μVision; install; build; download +Install Guides,CC4.0,Install Guide - Arm Linux Migration Tools,https://learn.arm.com/install-guides/linux-migration-tools/,Arm Linux Migration Tools; install; build; download +Install Guides,CC4.0,Install Guide - Arm Performance Libraries,https://learn.arm.com/install-guides/armpl/,Arm Performance Libraries; install; build; download +Install Guides,CC4.0,Install Guide - Arm Performance Studio,https://learn.arm.com/install-guides/ams/,Arm Performance Studio; install; build; download +Install Guides,CC4.0,Install Guide - Arm Product Download Hub,https://learn.arm.com/install-guides/pdh/,Arm Product Download Hub; install; build; download +Install Guides,CC4.0,Install Guide - Arm Socrates,https://learn.arm.com/install-guides/socrates/,Arm Socrates; install; build; download +Install Guides,CC4.0,Install Guide - Arm Software Licensing,https://learn.arm.com/install-guides/license/,Arm Software Licensing; install; build; download +Install Guides,CC4.0,Install Guide - Arm Streamline,https://learn.arm.com/install-guides/streamline/,Arm Streamline; install; build; download +Install Guides,CC4.0,Install Guide - Arm Success Kits,https://learn.arm.com/install-guides/successkits/,Arm Success Kits; install; build; download +Install Guides,CC4.0,Install Guide - Arm Virtual Hardware,https://learn.arm.com/install-guides/avh/,Arm Virtual Hardware; install; build; download +Install Guides,CC4.0,Install Guide - AVH FVPs on macOS,https://learn.arm.com/install-guides/fvps-on-macos/,AVH FVPs on macOS; install; build; download +Install Guides,CC4.0,Install Guide - AWS CLI,https://learn.arm.com/install-guides/aws-cli/,AWS CLI; install; build; download +Install Guides,CC4.0,Install Guide - AWS Copilot CLI,https://learn.arm.com/install-guides/aws-copilot/,AWS Copilot CLI; install; build; download +Install Guides,CC4.0,Install Guide - AWS Credentials,https://learn.arm.com/install-guides/aws_access_keys/,AWS Credentials; install; build; download +Install Guides,CC4.0,Install Guide - AWS EKS CLI (eksctl),https://learn.arm.com/install-guides/eksctl/,AWS EKS CLI (eksctl); install; build; download +Install Guides,CC4.0,Install Guide - AWS IoT Greengrass,https://learn.arm.com/install-guides/aws-greengrass-v2/,AWS IoT Greengrass; install; build; download +Install Guides,CC4.0,Install Guide - AWS SAM CLI,https://learn.arm.com/install-guides/aws-sam-cli/,AWS SAM CLI; install; build; download +Install Guides,CC4.0,Install Guide - Azure Authentication,https://learn.arm.com/install-guides/azure_login/,Azure Authentication; install; build; download +Install Guides,CC4.0,Install Guide - Azure CLI,https://learn.arm.com/install-guides/azure-cli/,Azure CLI; install; build; download +Install Guides,CC4.0,Install Guide - Bedrust - invoke models on Amazon Bedrock,https://learn.arm.com/install-guides/bedrust/,Bedrust - invoke models on Amazon Bedrock; install; build; download +Install Guides,CC4.0,Install Guide - BOLT,https://learn.arm.com/install-guides/bolt/,BOLT; install; build; download +Install Guides,CC4.0,Install Guide - Browsers on Arm,https://learn.arm.com/install-guides/browsers/,Browsers on Arm; install; build; download +Install Guides,CC4.0,Install Guide - Claude Code,https://learn.arm.com/install-guides/claude-code/,Claude Code; install; build; download +Install Guides,CC4.0,Install Guide - CMake,https://learn.arm.com/install-guides/cmake/,CMake; install; build; download +Install Guides,CC4.0,Install Guide - CMSIS-Toolbox,https://learn.arm.com/install-guides/cmsis-toolbox/,CMSIS-Toolbox; install; build; download +Install Guides,CC4.0,Install Guide - Codex CLI,https://learn.arm.com/install-guides/codex-cli/,Codex CLI; install; build; download +Install Guides,CC4.0,Install Guide - Container CLI for macOS,https://learn.arm.com/install-guides/container/,Container CLI for macOS; install; build; download +Install Guides,CC4.0,Install Guide - Cyclone DDS,https://learn.arm.com/install-guides/cyclonedds/,Cyclone DDS; install; build; download +Install Guides,CC4.0,Install Guide - DCPerf,https://learn.arm.com/install-guides/dcperf/,DCPerf; install; build; download +Install Guides,CC4.0,Install Guide - Docker,https://learn.arm.com/install-guides/docker/,Docker; install; build; download +Install Guides,CC4.0,Install Guide - Finch on Arm Linux,https://learn.arm.com/install-guides/finch/,Finch on Arm Linux; install; build; download +Install Guides,CC4.0,Install Guide - Gemini CLI,https://learn.arm.com/install-guides/gemini/,Gemini CLI; install; build; download +Install Guides,CC4.0,Install Guide - GFortran,https://learn.arm.com/install-guides/gfortran/,GFortran; install; build; download +Install Guides,CC4.0,Install Guide - Git for Windows on Arm,https://learn.arm.com/install-guides/git-woa/,Git for Windows on Arm; install; build; download +Install Guides,CC4.0,Install Guide - GitHub Copilot,https://learn.arm.com/install-guides/github-copilot/,GitHub Copilot; install; build; download +Install Guides,CC4.0,Install Guide - GNU Compiler,https://learn.arm.com/install-guides/gcc/,GNU Compiler; install; build; download +Install Guides,CC4.0,Install Guide - Go,https://learn.arm.com/install-guides/go/,Go; install; build; download +Install Guides,CC4.0,Install Guide - Google Cloud Platform (GCP) CLI,https://learn.arm.com/install-guides/gcloud/,Google Cloud Platform (GCP) CLI; install; build; download +Install Guides,CC4.0,Install Guide - Helm,https://learn.arm.com/install-guides/helm/,Helm; install; build; download +Install Guides,CC4.0,Install Guide - Hyper-V on Arm,https://learn.arm.com/install-guides/hyper-v/,Hyper-V on Arm; install; build; download +Install Guides,CC4.0,Install Guide - Java,https://learn.arm.com/install-guides/java/,Java; install; build; download +Install Guides,CC4.0,Install Guide - Kiro CLI,https://learn.arm.com/install-guides/kiro-cli/,Kiro CLI; install; build; download +Install Guides,CC4.0,Install Guide - Kubectl,https://learn.arm.com/install-guides/kubectl/,Kubectl; install; build; download +Install Guides,CC4.0,Install Guide - Linaro Forge,https://learn.arm.com/install-guides/forge/,Linaro Forge; install; build; download +Install Guides,CC4.0,Install Guide - LLVM Embedded Toolchain for Arm,https://learn.arm.com/install-guides/llvm-embedded/,LLVM Embedded Toolchain for Arm; install; build; download +Install Guides,CC4.0,Install Guide - LLVM toolchain for Windows on Arm,https://learn.arm.com/install-guides/llvm-woa/,LLVM toolchain for Windows on Arm; install; build; download +Install Guides,CC4.0,Install Guide - Multipass,https://learn.arm.com/install-guides/multipass/,Multipass; install; build; download +Install Guides,CC4.0,Install Guide - Nerdctl,https://learn.arm.com/install-guides/nerdctl/,Nerdctl; install; build; download +Install Guides,CC4.0,Install Guide - NoMachine,https://learn.arm.com/install-guides/nomachine/,NoMachine; install; build; download +Install Guides,CC4.0,Install Guide - NXP MCUXpresso for VS Code,https://learn.arm.com/install-guides/mcuxpresso_vs/,NXP MCUXpresso for VS Code; install; build; download +Install Guides,CC4.0,Install Guide - OpenShift CLI (oc),https://learn.arm.com/install-guides/oc/,OpenShift CLI (oc); install; build; download +Install Guides,CC4.0,Install Guide - OpenVSCode Server,https://learn.arm.com/install-guides/openvscode-server/,OpenVSCode Server; install; build; download +Install Guides,CC4.0,Install Guide - Oracle Cloud Infrastructure (OCI) CLI,https://learn.arm.com/install-guides/oci-cli/,Oracle Cloud Infrastructure (OCI) CLI; install; build; download +Install Guides,CC4.0,Install Guide - Perf for Linux on Arm (LinuxPerf),https://learn.arm.com/install-guides/perf/,Perf for Linux on Arm (LinuxPerf); install; build; download +Install Guides,CC4.0,Install Guide - Performance API (PAPI),https://learn.arm.com/install-guides/papi/,Performance API (PAPI); install; build; download +Install Guides,CC4.0,Install Guide - Porting Advisor for Graviton,https://learn.arm.com/install-guides/porting-advisor/,Porting Advisor for Graviton; install; build; download +Install Guides,CC4.0,Install Guide - PowerShell,https://learn.arm.com/install-guides/powershell/,PowerShell; install; build; download +Install Guides,CC4.0,Install Guide - Pulumi,https://learn.arm.com/install-guides/pulumi/,Pulumi; install; build; download +Install Guides,CC4.0,Install Guide - Python for Windows on Arm,https://learn.arm.com/install-guides/py-woa/,Python for Windows on Arm; install; build; download +Install Guides,CC4.0,Install Guide - PyTorch,https://learn.arm.com/install-guides/pytorch/,PyTorch; install; build; download +Install Guides,CC4.0,Install Guide - PyTorch for Windows on Arm,https://learn.arm.com/install-guides/pytorch-woa/,PyTorch for Windows on Arm; install; build; download +Install Guides,CC4.0,Install Guide - ROS - Robot Operating System,https://learn.arm.com/install-guides/ros2/,ROS - Robot Operating System; install; build; download +Install Guides,CC4.0,Install Guide - Rust for Embedded Applications,https://learn.arm.com/install-guides/rust_embedded/,Rust for Embedded Applications; install; build; download +Install Guides,CC4.0,Install Guide - Rust for Linux Applications,https://learn.arm.com/install-guides/rust/,Rust for Linux Applications; install; build; download +Install Guides,CC4.0,Install Guide - sbt,https://learn.arm.com/install-guides/sbt/,sbt; install; build; download +Install Guides,CC4.0,Install Guide - Skopeo,https://learn.arm.com/install-guides/skopeo/,Skopeo; install; build; download +Install Guides,CC4.0,Install Guide - SSH,https://learn.arm.com/install-guides/ssh/,SSH; install; build; download +Install Guides,CC4.0,Install Guide - STM32 extensions for VS Code,https://learn.arm.com/install-guides/stm32_vs/,STM32 extensions for VS Code; install; build; download +Install Guides,CC4.0,Install Guide - Streamline CLI Tools,https://learn.arm.com/install-guides/streamline-cli/,Streamline CLI Tools; install; build; download +Install Guides,CC4.0,Install Guide - Swift,https://learn.arm.com/install-guides/swift/,Swift; install; build; download +Install Guides,CC4.0,Install Guide - Sysbox,https://learn.arm.com/install-guides/sysbox/,Sysbox; install; build; download +Install Guides,CC4.0,Install Guide - Tekton CLI (tkn),https://learn.arm.com/install-guides/tkn/,Tekton CLI (tkn); install; build; download +Install Guides,CC4.0,Install Guide - Telemetry Solution (Topdown Methodology),https://learn.arm.com/install-guides/topdown-tool/,Telemetry Solution (Topdown Methodology); install; build; download +Install Guides,CC4.0,Install Guide - Terraform,https://learn.arm.com/install-guides/terraform/,Terraform; install; build; download +Install Guides,CC4.0,Install Guide - Visual Studio Extension for WindowsPerf,https://learn.arm.com/install-guides/windows-perf-vs-extension/,Visual Studio Extension for WindowsPerf; install; build; download +Install Guides,CC4.0,Install Guide - Visual Studio for Windows on Arm,https://learn.arm.com/install-guides/vs-woa/,Visual Studio for Windows on Arm; install; build; download +Install Guides,CC4.0,Install Guide - VNC on Arm Linux,https://learn.arm.com/install-guides/vnc/,VNC on Arm Linux; install; build; download +Install Guides,CC4.0,Install Guide - VS Code Tunnels,https://learn.arm.com/install-guides/vscode-tunnels/,VS Code Tunnels; install; build; download +Install Guides,CC4.0,Install Guide - Windows Performance Analyzer (WPA) plugin,https://learn.arm.com/install-guides/windows-perf-wpa-plugin/,Windows Performance Analyzer (WPA) plugin; install; build; download +Install Guides,CC4.0,Install Guide - Windows Sandbox for Windows on Arm,https://learn.arm.com/install-guides/windows-sandbox-woa/,Windows Sandbox for Windows on Arm; install; build; download +Install Guides,CC4.0,Install Guide - WindowsPerf (wperf),https://learn.arm.com/install-guides/wperf/,WindowsPerf (wperf); install; build; download +Learning Paths,CC4.0,Learning Path - Optimize AArch64 binaries with LLVM BOLT,https://learn.arm.com/learning-paths/servers-and-cloud-computing/bolt-demo/,Performance and Architecture; Linux; BOLT; perf +Learning Paths,CC4.0,Learning Path - Run Process watch on your Arm machine,https://learn.arm.com/learning-paths/servers-and-cloud-computing/processwatch/,Performance and Architecture; Linux; bpftool; libbpf; Capstone; C; CPP; Runbook +Learning Paths,CC4.0,Learning Path - Deploy a Large Language Model (LLM) chatbot with llama.cpp using KleidiAI on Arm servers,https://learn.arm.com/learning-paths/servers-and-cloud-computing/llama-cpu/,ML; AWS; Linux; LLM; Generative AI; Python; Demo; Hugging Face +Learning Paths,CC4.0,Learning Path - Introduction to SIMD.info,https://learn.arm.com/learning-paths/cross-platform/simd-info-demo/,Performance and Architecture; Linux; GCC; Clang; Rust; Runbook +Learning Paths,CC4.0,Learning Path - Porting architecture specific intrinsics,https://learn.arm.com/learning-paths/cross-platform/intrinsics/,Performance and Architecture; Linux; Neon; SVE; Intrinsics; Runbook +Learning Paths,CC4.0,Learning Path - Accelerate Bitmap Scanning with Neon and SVE Instructions on Arm servers,https://learn.arm.com/learning-paths/servers-and-cloud-computing/bitmap_scan_sve2/,Performance and Architecture; AWS; Microsoft Azure; Google Cloud; Oracle; Linux; SVE; Neon; Runbook +Learning Paths,CC4.0,Learning Path - Accelerate search performance with SVE2 MATCH on Arm servers,https://learn.arm.com/learning-paths/servers-and-cloud-computing/sve2-match/,Performance and Architecture; AWS; Microsoft Azure; Google Cloud; Linux; SVE2; Neon; Runbook +Learning Paths,CC4.0,"Learning Path - Automate x86 to Arm Migration with Docker MCP Toolkit, VS Code and GitHub Copilot",https://learn.arm.com/learning-paths/servers-and-cloud-computing/docker-mcp-toolkit/,Containers and Virtualization; Linux; macOS; Docker; MCP; GitHub Copilot; C++; VS Code +Learning Paths,CC4.0,Learning Path - Automate x86-to-Arm application migration using Arm MCP Server,https://learn.arm.com/learning-paths/servers-and-cloud-computing/arm-mcp-server/,Performance and Architecture; Linux; MCP; Docker; CPP; GitHub Copilot +Learning Paths,CC4.0,Learning Path - Deploy DeepSeek-R1 on Arm Servers with llama.cpp,https://learn.arm.com/learning-paths/servers-and-cloud-computing/deepseek-cpu/,ML; AWS; Microsoft Azure; Google Cloud; Oracle; Linux; LLM; Generative AI; Python +Learning Paths,CC4.0,Learning Path - Enable reproducible math functions across vector extensions with Arm Performance Libraries,https://learn.arm.com/learning-paths/servers-and-cloud-computing/reproducible-libamath/,Performance and Architecture; Linux; Arm Performance Libraries; GCC; LLVM; Libamath +Learning Paths,CC4.0,Learning Path - Learn about Neoverse Non-cache PMU events using C and Assembly Language,https://learn.arm.com/learning-paths/servers-and-cloud-computing/triggering-pmu-events-2/,Performance and Architecture; Linux; C; Assembly; Runbook +Learning Paths,CC4.0,Learning Path - Migrate applications between Arm platforms using Kiro Arm SoC Migration Power,https://learn.arm.com/learning-paths/servers-and-cloud-computing/arm-soc-migration-learning-path/,Performance and Architecture; AWS; Microsoft Azure; Google Cloud; Oracle; Linux; Kiro; AWS EC2; GCC; C; CMake +Learning Paths,CC4.0,Learning Path - Migrate applications that leverage performance libraries,https://learn.arm.com/learning-paths/servers-and-cloud-computing/using-and-porting-performance-libs/,Performance and Architecture; AWS; Microsoft Azure; Google Cloud; Oracle; Linux; Arm Compiler for Linux; CPP; Runbook +Learning Paths,CC4.0,Learning Path - Migrate applications to Arm servers using migrate-ease,https://learn.arm.com/learning-paths/servers-and-cloud-computing/migrate-ease/,Libraries; Linux; Neon; SVE; Go; Runbook +Learning Paths,CC4.0,Learning Path - Migrating applications to Arm servers,https://learn.arm.com/learning-paths/servers-and-cloud-computing/migration/,Libraries; AWS; Microsoft Azure; Google Cloud; Oracle; Linux; Neon; SVE; Go; Runbook +Learning Paths,CC4.0,Learning Path - Port Code to Arm Scalable Vector Extension (SVE),https://learn.arm.com/learning-paths/servers-and-cloud-computing/sve/,ML; AWS; Microsoft Azure; Google Cloud; Oracle; Linux; SVE; Neon; armie; GCC; armclang; Runbook +Learning Paths,CC4.0,Learning Path - Profile llama.cpp performance with Arm Streamline and KleidiAI LLM kernels,https://learn.arm.com/learning-paths/servers-and-cloud-computing/llama_cpp_streamline/,ML; Linux; Android; Arm Streamline; CPP; llama.cpp; Profiling +Learning Paths,CC4.0,Learning Path - Accelerate Generative AI workloads using KleidiAI,https://learn.arm.com/learning-paths/cross-platform/kleidiai-explainer/,ML; Linux; CPP; Generative AI; Neon; Runbook +Learning Paths,CC4.0,Learning Path - Code kata: perfect your SVE and SME skills with SIMD Loops,https://learn.arm.com/learning-paths/cross-platform/simd-loops/,Performance and Architecture; Linux; macOS; C; CPP; GCC; Clang; SME2 +Learning Paths,CC4.0,Learning Path - Migrate x86-64 SIMD to Arm64,https://learn.arm.com/learning-paths/cross-platform/vectorization-comparison/,Performance and Architecture; Linux; GCC; Clang +Learning Paths,CC4.0,Learning Path - Optimize SIMD code with vectorization-friendly data layout,https://learn.arm.com/learning-paths/cross-platform/vectorization-friendly-data-layout/,Performance and Architecture; Linux; GCC; Clang; Runbook +Learning Paths,CC4.0,Learning Path - Use the Eigen Linear Algebra Library on Arm,https://learn.arm.com/learning-paths/cross-platform/eigen-linear-algebra-on-arm/,Performance and Architecture; Linux; GCC; Clang; Runbook +Learning Paths,CC4.0,Learning Path - Write Neon intrinsics using GitHub Copilot to improve Adler32 performance,https://learn.arm.com/learning-paths/cross-platform/adler32/,Performance and Architecture; Linux; GCC; Runbook +Learning Paths,CC4.0,Learning Path - Deploy Tinkerblox UltraEdge HPC-I for AI and mixed workloads on Arm,https://learn.arm.com/learning-paths/cross-platform/tinkerblox_ultraedge/,Containers and Virtualization; Google Cloud; Linux; other; Tinkerblox +Learning Paths,CC4.0,Learning Path - Control floating-point accuracy modes in Arm Performance Libraries,https://learn.arm.com/learning-paths/servers-and-cloud-computing/multi-accuracy-libamath/,Performance and Architecture; Linux; Arm Performance Libraries; GCC; Libamath +Learning Paths,CC4.0,Learning Path - Automate MCP server testing using Pytest and Testcontainers,https://learn.arm.com/learning-paths/cross-platform/automate-mcp-with-testcontainers/,CI-CD; Linux; macOS; Windows; Python; Pytest; Docker; GitHub Actions; Testcontainers; MCP +Learning Paths,CC4.0,Learning Path - Deploy High-Performance Analytics with Apache Arrow and Arrow Flight on Google Cloud C4A Axion processors,https://learn.arm.com/learning-paths/servers-and-cloud-computing/apache_arrow_and_flight/,Performance and Architecture; Google Cloud; Linux; Apache Arrow; Arrow Flight; Python; MinIO +Learning Paths,CC4.0,Learning Path - Deploy a live sensor dashboard with TimescaleDB and Grafana on Google Cloud C4A,https://learn.arm.com/learning-paths/servers-and-cloud-computing/timescaledb-on-gcp/,Databases; Google Cloud; Linux; TimescaleDB; PostgreSQL; Python; Grafana; psycopg2 +Learning Paths,CC4.0,Learning Path - Learn how to create a virtual machine in a Realm using Arm Confidential Compute Architecture (CCA),https://learn.arm.com/learning-paths/servers-and-cloud-computing/rme-cca-basics/,Performance and Architecture; Linux; GCC; FVP; RME; CCA; Runbook +Learning Paths,CC4.0,Learning Path - Building and Benchmarking DLRM on Arm Neoverse V2 with MLPerf,https://learn.arm.com/learning-paths/servers-and-cloud-computing/dlrm/,Performance and Architecture; AWS; Google Cloud; Linux; Docker; MLPerf +Learning Paths,CC4.0,Learning Path - Get Started with CCA Attestation and Veraison,https://learn.arm.com/learning-paths/servers-and-cloud-computing/cca-veraison/,Performance and Architecture; Linux; CCA; RME; Runbook +Learning Paths,CC4.0,Learning Path - Run an end-to-end attestation flow with Arm CCA and Trustee,https://learn.arm.com/learning-paths/servers-and-cloud-computing/cca-trustee/,Performance and Architecture; Linux; macOS; FVP; RME; CCA; Docker; Veraison; Trustee +Learning Paths,CC4.0,Learning Path - Run Confidential Containers with encrypted images using Arm CCA and Trustee,https://learn.arm.com/learning-paths/servers-and-cloud-computing/cca-kata/,Performance and Architecture; Linux; macOS; FVP; RME; CCA; Docker; Veraison; Trustee; Confidential Containers; Kata Containers +Learning Paths,CC4.0,Learning Path - Run an end-to-end Attestation Flow with Arm CCA,https://learn.arm.com/learning-paths/servers-and-cloud-computing/cca-essentials/,Performance and Architecture; Linux; GCC; FVP; RME; CCA; Docker; Veraison; Runbook +Learning Paths,CC4.0,Learning Path - Explore secure device attach in Arm CCA Realms,https://learn.arm.com/learning-paths/servers-and-cloud-computing/cca-device-attach/,Performance and Architecture; Linux; macOS; CCA; RME; Docker +Learning Paths,CC4.0,Learning Path - Run an application in a Realm using the Arm Confidential Compute Architecture (CCA),https://learn.arm.com/learning-paths/servers-and-cloud-computing/cca-container/,Performance and Architecture; Linux; GCC; FVP; RME; CCA; Docker; Runbook +Learning Paths,CC4.0,Learning Path - Accelerate Whisper on Arm with Hugging Face Transformers,https://learn.arm.com/learning-paths/servers-and-cloud-computing/whisper/,ML; AWS; Microsoft Azure; Google Cloud; Oracle; Linux; Python; Whisper; Demo; Hugging Face +Learning Paths,CC4.0,Learning Path - Analyze cache behavior with Perf C2C on Arm,https://learn.arm.com/learning-paths/servers-and-cloud-computing/false-sharing-arm-spe/,Performance and Architecture; AWS; Microsoft Azure; Google Cloud; Oracle; Linux; perf; Runbook +Learning Paths,CC4.0,Learning Path - Analyze the performance of MongoDB on Arm servers,https://learn.arm.com/learning-paths/servers-and-cloud-computing/mongodb/,Databases; AWS; Microsoft Azure; Google Cloud; Oracle; Linux; MongoDB; GCC; Runbook +Learning Paths,CC4.0,Learning Path - Benchmark the performance of Flink on Arm servers,https://learn.arm.com/learning-paths/servers-and-cloud-computing/flink/,Databases; AWS; Microsoft Azure; Google Cloud; Oracle; Linux; Flink; Java; Nexmark; Runbook +Learning Paths,CC4.0,Learning Path - Benchmarking MySQL with Sysbench,https://learn.arm.com/learning-paths/servers-and-cloud-computing/mysql_benchmark/,Databases; AWS; Microsoft Azure; Google Cloud; Oracle; Linux; MySQL; Sysbench +Learning Paths,CC4.0,Learning Path - Build a RAG application using Zilliz Cloud on Arm servers,https://learn.arm.com/learning-paths/servers-and-cloud-computing/milvus-rag/,ML; AWS; Microsoft Azure; Google Cloud; Oracle; Linux; Python; Generative AI; RAG; Hugging Face +Learning Paths,CC4.0,Learning Path - Build Linux kernels for Arm cloud instances,https://learn.arm.com/learning-paths/servers-and-cloud-computing/kernel-build/,Performance and Architecture; AWS; Microsoft Azure; Google Cloud; Oracle; Linux; TuxMake +Learning Paths,CC4.0,Learning Path - Develop and Validate Firmware Pre-Silicon on Arm Neoverse CSS V3,https://learn.arm.com/learning-paths/servers-and-cloud-computing/neoverse-rdv3-swstack/,Containers and Virtualization; AWS; Microsoft Azure; Google Cloud; Oracle; Linux; C; Docker; FVP +Learning Paths,CC4.0,Learning Path - Get ready for performance analysis with Sysreport,https://learn.arm.com/learning-paths/servers-and-cloud-computing/sysreport/,Performance and Architecture; AWS; Microsoft Azure; Google Cloud; Oracle; Linux; Python; Runbook +Learning Paths,CC4.0,Learning Path - Get started with the Neoverse Reference Design software stack,https://learn.arm.com/learning-paths/servers-and-cloud-computing/refinfra-quick-start/,Performance and Architecture; Linux; Docker; FVP; Arm Development Studio; Runbook +Learning Paths,CC4.0,Learning Path - Learn about Large System Extensions (LSE),https://learn.arm.com/learning-paths/servers-and-cloud-computing/lse/,Performance and Architecture; AWS; Microsoft Azure; Google Cloud; Oracle; Linux; GCC; Runbook +Learning Paths,CC4.0,Learning Path - Learn about optimization techniques using the g++ compiler,https://learn.arm.com/learning-paths/servers-and-cloud-computing/cplusplus_compilers_flags/,Performance and Architecture; AWS; Microsoft Azure; Google Cloud; Oracle; Linux; CPP; Runbook +Learning Paths,CC4.0,Learning Path - Learn how to Tune MySQL,https://learn.arm.com/learning-paths/servers-and-cloud-computing/mysql_tune/,Databases; AWS; Microsoft Azure; Google Cloud; Oracle; Linux; SQL; MySQL; InnoDB; Runbook +Learning Paths,CC4.0,Learning Path - Learn how to Tune PostgreSQL,https://learn.arm.com/learning-paths/servers-and-cloud-computing/postgresql_tune/,Databases; AWS; Microsoft Azure; Google Cloud; Oracle; Linux; SQL; PostgreSQL; HammerDB; Runbook +Learning Paths,CC4.0,Learning Path - Microbenchmark and tune network performance with iPerf3 and Linux traffic control,https://learn.arm.com/learning-paths/servers-and-cloud-computing/microbenchmark-network-iperf3/,Performance and Architecture; AWS; Microsoft Azure; Google Cloud; Oracle; Linux; iPerf3 +Learning Paths,CC4.0,Learning Path - Migrate containers to Arm using KubeArchInspect,https://learn.arm.com/learning-paths/servers-and-cloud-computing/kubearchinspect/,Performance and Architecture; AWS; Microsoft Azure; Google Cloud; Oracle; Linux; Kubernetes; Runbook +Learning Paths,CC4.0,Learning Path - Optimize application performance with CPU affinity,https://learn.arm.com/learning-paths/servers-and-cloud-computing/pinning-threads/,Performance and Architecture; AWS; Microsoft Azure; Google Cloud; Oracle; Linux; C++; Python; taskset; perf; Google Benchmark +Learning Paths,CC4.0,Learning Path - Optimize C++ performance with Profile-Guided Optimization and Google Benchmark,https://learn.arm.com/learning-paths/servers-and-cloud-computing/cpp-profile-guided-optimisation/,ML; AWS; Microsoft Azure; Google Cloud; Oracle; Linux; Google Benchmark; Runbook +Learning Paths,CC4.0,Learning Path - Optimize the performance of Snort 3 using multithreading,https://learn.arm.com/learning-paths/servers-and-cloud-computing/snort3-multithreading/,Libraries; AWS; Microsoft Azure; Google Cloud; Oracle; Linux; AWS EC2; Snort3; Bash; GCC +Learning Paths,CC4.0,Learning Path - Run the vvenc H.266 encoder on Arm servers,https://learn.arm.com/learning-paths/servers-and-cloud-computing/vvenc/,Libraries; AWS; Microsoft Azure; Google Cloud; Oracle; Linux; vvenc +Learning Paths,CC4.0,Learning Path - Run vLLM inference with INT4 quantization on Arm servers,https://learn.arm.com/learning-paths/servers-and-cloud-computing/vllm-acceleration/,ML; AWS; Microsoft Azure; Google Cloud; Oracle; Linux; vLLM; LM Evaluation Harness; LLM; Generative AI; Python; PyTorch; Hugging Face +Learning Paths,CC4.0,Learning Path - Tune network workloads on Arm-based bare-metal instances,https://learn.arm.com/learning-paths/servers-and-cloud-computing/tune-network-workloads-on-bare-metal/,Performance and Architecture; Linux; Apache Tomcat; wrk2; OpenJDK 21 +Learning Paths,CC4.0,Learning Path - Accelerate Natural Language Processing (NLP) models from Hugging Face on Arm servers,https://learn.arm.com/learning-paths/servers-and-cloud-computing/benchmark-nlp/,ML; AWS; Microsoft Azure; Google Cloud; Oracle; Linux; Python; PyTorch; Hugging Face +Learning Paths,CC4.0,Learning Path - Build and Run vLLM on Arm Servers,https://learn.arm.com/learning-paths/servers-and-cloud-computing/vllm/,ML; AWS; Microsoft Azure; Google Cloud; Oracle; Linux; vLLM; LLM; Generative AI; Python; Hugging Face +Learning Paths,CC4.0,Learning Path - Deploy an AI Agent on Arm with llama.cpp and llama-cpp-agent using KleidiAI,https://learn.arm.com/learning-paths/servers-and-cloud-computing/ai-agent-on-cpu/,ML; AWS; Microsoft Azure; Google Cloud; Oracle; Linux; Python; AWS Graviton; AI +Learning Paths,CC4.0,Learning Path - Deploy ModelScope FunASR Model on Arm Servers,https://learn.arm.com/learning-paths/servers-and-cloud-computing/funasr/,ML; AWS; Microsoft Azure; Google Cloud; Oracle; Linux; ModelScope; FunASR; LLM; Generative AI; Python +Learning Paths,CC4.0,Learning Path - Get started with parallel application development,https://learn.arm.com/learning-paths/servers-and-cloud-computing/mpi/,Performance and Architecture; AWS; Microsoft Azure; Google Cloud; Oracle; Linux; Fortran; GCC; Linaro Forge; gdb; mpi; Runbook +Learning Paths,CC4.0,Learning Path - Increase application performance with libhugetlbfs,https://learn.arm.com/learning-paths/servers-and-cloud-computing/libhugetlbfs/,Databases; AWS; Microsoft Azure; Google Cloud; Oracle; Linux; MySQL; GCC; Runbook +Learning Paths,CC4.0,Learning Path - Install Vectorscan (Hyperscan on Arm) and use it with Snort 3,https://learn.arm.com/learning-paths/servers-and-cloud-computing/vectorscan/,Libraries; AWS; Microsoft Azure; Google Cloud; Oracle; Linux; Vectorscan +Learning Paths,CC4.0,Learning Path - Learn how to deploy a Django application,https://learn.arm.com/learning-paths/servers-and-cloud-computing/django/,Web; AWS; Microsoft Azure; Google Cloud; Oracle; Linux; Django; Python; NGINX; PostgreSQL +Learning Paths,CC4.0,Learning Path - Learn how to deploy Envoy,https://learn.arm.com/learning-paths/servers-and-cloud-computing/envoy/,Web; AWS; Microsoft Azure; Google Cloud; Oracle; Linux; Envoy +Learning Paths,CC4.0,Learning Path - Learn how to deploy Nginx,https://learn.arm.com/learning-paths/servers-and-cloud-computing/nginx/,Web; AWS; Microsoft Azure; Google Cloud; Oracle; Linux; NGINX +Learning Paths,CC4.0,Learning Path - Learn how to tune Envoy,https://learn.arm.com/learning-paths/servers-and-cloud-computing/envoy_tune/,Web; AWS; Microsoft Azure; Google Cloud; Oracle; Linux; Envoy; Runbook +Learning Paths,CC4.0,Learning Path - Learn how to tune Nginx,https://learn.arm.com/learning-paths/servers-and-cloud-computing/nginx_tune/,Web; AWS; Microsoft Azure; Google Cloud; Oracle; Linux; NGINX; Runbook +Learning Paths,CC4.0,Learning Path - Learn how to tune Redis,https://learn.arm.com/learning-paths/servers-and-cloud-computing/redis_tune/,Databases; AWS; Microsoft Azure; Google Cloud; Oracle; Linux; Redis; Runbook +Learning Paths,CC4.0,Learning Path - Measure and accelerate PyTorch Inference on Arm servers,https://learn.arm.com/learning-paths/servers-and-cloud-computing/torchbench/,ML; AWS; Microsoft Azure; Google Cloud; Oracle; Linux; Python; PyTorch +Learning Paths,CC4.0,Learning Path - Measure performance of ClickHouse on Arm servers,https://learn.arm.com/learning-paths/servers-and-cloud-computing/clickhouse/,Databases; AWS; Microsoft Azure; Google Cloud; Oracle; Linux; ClickHouse; ClickBench +Learning Paths,CC4.0,Learning Path - Microbenchmark storage performance with fio on Arm,https://learn.arm.com/learning-paths/servers-and-cloud-computing/disk-io-benchmark/,Performance and Architecture; AWS; Microsoft Azure; Google Cloud; Oracle; Linux; bash; Runbook +Learning Paths,CC4.0,Learning Path - Run a Large Language Model (LLM) chatbot with PyTorch using KleidiAI on Arm servers,https://learn.arm.com/learning-paths/servers-and-cloud-computing/pytorch-llama/,ML; AWS; Microsoft Azure; Google Cloud; Oracle; Linux; LLM; Generative AI; Python; PyTorch; Hugging Face +Learning Paths,CC4.0,Learning Path - Run a Natural Language Processing (NLP) model from Hugging Face on Arm servers,https://learn.arm.com/learning-paths/servers-and-cloud-computing/nlp-hugging-face/,ML; AWS; Microsoft Azure; Google Cloud; Oracle; Linux; Python; PyTorch; Hugging Face +Learning Paths,CC4.0,Learning Path - Run an LLM chatbot with rtp-llm on Arm-based servers,https://learn.arm.com/learning-paths/servers-and-cloud-computing/rtp-llm/,ML; AWS; Microsoft Azure; Google Cloud; Oracle; Linux; LLM; Generative AI; Python; Hugging Face +Learning Paths,CC4.0,Learning Path - Run Text Classification with ThirdAI on Arm servers,https://learn.arm.com/learning-paths/servers-and-cloud-computing/thirdai-sentiment-analysis/,ML; AWS; Microsoft Azure; Google Cloud; Oracle; Linux; Python; ThirdAI +Learning Paths,CC4.0,Learning Path - Tune the Performance of the Java Garbage Collector,https://learn.arm.com/learning-paths/servers-and-cloud-computing/java-gc-tuning/,Performance and Architecture; AWS; Microsoft Azure; Google Cloud; Oracle; Linux; Java; Runbook +Learning Paths,CC4.0,Learning Path - Understand Arm Pointer Authentication,https://learn.arm.com/learning-paths/servers-and-cloud-computing/pac/,Performance and Architecture; AWS; Microsoft Azure; Google Cloud; Oracle; Linux; Runbook +Learning Paths,CC4.0,Learning Path - Use Clair to scan container images and generate vulnerability reports,https://learn.arm.com/learning-paths/servers-and-cloud-computing/clair/,Containers and Virtualization; AWS; Microsoft Azure; Google Cloud; Oracle; Linux; Docker; Go; Clair +Learning Paths,CC4.0,"Learning Path - Use Keras Core with TensorFlow, PyTorch, and JAX backends",https://learn.arm.com/learning-paths/servers-and-cloud-computing/keras-core/,ML; AWS; Microsoft Azure; Google Cloud; Oracle; Linux; Python; Keras; TensorFlow; PyTorch; JAX +Learning Paths,CC4.0,Learning Path - Deploy OpenTelemetry on Google Cloud C4A Axion processors,https://learn.arm.com/learning-paths/servers-and-cloud-computing/opentelemetry/,Performance and Architecture; Google Cloud; Linux; Flask; Docker; Prometheus; Jaeger +Learning Paths,CC4.0,Learning Path - Explore Thread Synchronization in the Arm memory model,https://learn.arm.com/learning-paths/servers-and-cloud-computing/memory_consistency/,Performance and Architecture; Linux; Runbook; Herd7; Litmus7; Arm ISA +Learning Paths,CC4.0,Learning Path - Get started with Servers and Cloud Computing,https://learn.arm.com/learning-paths/servers-and-cloud-computing/intro/,Performance and Architecture; Linux; Runbook +Learning Paths,CC4.0,Learning Path - Learn about the C++ memory model for porting applications to Arm,https://learn.arm.com/learning-paths/servers-and-cloud-computing/arm-cpp-memory-model/,Performance and Architecture; Linux; CPP; TSan; Runbook +Learning Paths,CC4.0,"Learning Path - Access running containers using Supervisor, SSH, and Remote.It",https://learn.arm.com/learning-paths/servers-and-cloud-computing/supervisord/,Performance and Architecture; AWS; Linux; Docker; Remote.It; Supervisor +Learning Paths,CC4.0,Learning Path - Autoscale HTTP applications on Kubernetes with KEDA and Kedify,https://learn.arm.com/learning-paths/servers-and-cloud-computing/kedify-http-autoscaling/,Containers and Virtualization; AWS; Microsoft Azure; Google Cloud; Linux; Kubernetes; Helm; KEDA; Kedify +Learning Paths,CC4.0,Learning Path - Benchmark Go performance with Sweet and Benchstat,https://learn.arm.com/learning-paths/servers-and-cloud-computing/go-benchmarking-with-sweet/,Performance and Architecture; Google Cloud; Linux; Go +Learning Paths,CC4.0,Learning Path - Build a CCA Attestation Service on AWS with Veraison,https://learn.arm.com/learning-paths/servers-and-cloud-computing/cca-veraison-aws/,Performance and Architecture; AWS; Linux; CCA; RME; Runbook +Learning Paths,CC4.0,Learning Path - Build multi-architecture applications with Red Hat OpenShift Pipelines on AWS,https://learn.arm.com/learning-paths/servers-and-cloud-computing/openshift/,CI-CD; AWS; Linux; Tekton; OpenShift +Learning Paths,CC4.0,Learning Path - Deploy a Cobalt 100 Virtual Machine on Azure,https://learn.arm.com/learning-paths/servers-and-cloud-computing/cobalt/,Containers and Virtualization; Microsoft Azure; Linux; Azure Portal; Azure CLI +Learning Paths,CC4.0,Learning Path - Deploy a Kafka Cluster on Arm,https://learn.arm.com/learning-paths/servers-and-cloud-computing/kafka/,Storage; AWS; Google Cloud; Linux; Kafka; ZooKeeper +Learning Paths,CC4.0,Learning Path - Deploy a LLM-based Vision Chatbot with PyTorch and Hugging Face Transformers on Google Axion processors,https://learn.arm.com/learning-paths/servers-and-cloud-computing/llama-vision/,ML; Google Cloud; Linux; Python; PyTorch; Streamlit; Google Axion +Learning Paths,CC4.0,Learning Path - Deploy a RAG-based Chatbot with llama-cpp-python using KleidiAI on Google Axion processors,https://learn.arm.com/learning-paths/servers-and-cloud-computing/rag/,ML; Google Cloud; Linux; Python; Streamlit; Google Axion; Demo; Hugging Face +Learning Paths,CC4.0,Learning Path - Deploy and validate Jenkins on Arm cloud servers,https://learn.arm.com/learning-paths/servers-and-cloud-computing/jenkins/,CI-CD; Microsoft Azure; Google Cloud; Linux; Jenkins; OpenJDK 17; Docker; Groovy (Jenkins Pipeline) +Learning Paths,CC4.0,Learning Path - Deploy Arcee AFM-4.5B on Arm-based AWS Graviton4 with Llama.cpp,https://learn.arm.com/learning-paths/servers-and-cloud-computing/arcee-foundation-model-on-aws/,ML; AWS; Linux; Hugging Face; Python; Llama.cpp +Learning Paths,CC4.0,Learning Path - Deploy Arcee AFM-4.5B on Arm-based Google Cloud Axion with Llama.cpp,https://learn.arm.com/learning-paths/servers-and-cloud-computing/arcee-foundation-model-on-gcp/,ML; Google Cloud; Linux; Hugging Face; Python; Llama.cpp +Learning Paths,CC4.0,Learning Path - Deploy Arm-based Cobalt 100 VMs using Azure Resource Manager templates,https://learn.arm.com/learning-paths/servers-and-cloud-computing/azure-arm-template/,Containers and Virtualization; Microsoft Azure; Linux; Azure CLI; JSON +Learning Paths,CC4.0,Learning Path - Deploy MariaDB on Arm servers,https://learn.arm.com/learning-paths/servers-and-cloud-computing/mariadb/,Databases; AWS; Microsoft Azure; Google Cloud; Linux; Terraform; Ansible; MariaDB; Docker; Runbook +Learning Paths,CC4.0,Learning Path - Deploy Memcached as a cache for MySQL and PostgreSQL on Arm based servers,https://learn.arm.com/learning-paths/servers-and-cloud-computing/memcached_cache/,Web; AWS; Microsoft Azure; Google Cloud; Linux; Memcached; SQL; MySQL; PostgreSQL +Learning Paths,CC4.0,Learning Path - Deploy Phi-4-mini model with ONNX Runtime on Azure Cobalt 100,https://learn.arm.com/learning-paths/servers-and-cloud-computing/onnx/,ML; Microsoft Azure; Linux; Python; ONNX Runtime +Learning Paths,CC4.0,Learning Path - Deploy RabbitMQ on Arm64 Cloud Platforms (Azure and GCP),https://learn.arm.com/learning-paths/servers-and-cloud-computing/rabbitmq-gcp/,Databases; Microsoft Azure; Google Cloud; Linux; RabbitMQ; Erlang; Python; pika +Learning Paths,CC4.0,Learning Path - Deploy Redis as a cache for MySQL and PostgreSQL on Arm servers,https://learn.arm.com/learning-paths/servers-and-cloud-computing/redis_cache/,Databases; AWS; Microsoft Azure; Google Cloud; Linux; Terraform; Ansible; Redis; SQL; MySQL; Runbook +Learning Paths,CC4.0,Learning Path - Deploy Redis on Arm,https://learn.arm.com/learning-paths/servers-and-cloud-computing/redis/,Databases; AWS; Microsoft Azure; Google Cloud; Oracle; Linux; Redis; Runbook +Learning Paths,CC4.0,Learning Path - Get started with Arm-based cloud instances,https://learn.arm.com/learning-paths/servers-and-cloud-computing/csp/,Containers and Virtualization; AWS; Microsoft Azure; Google Cloud; Oracle; Linux +Learning Paths,CC4.0,Learning Path - Learn how to deploy MySQL,https://learn.arm.com/learning-paths/servers-and-cloud-computing/mysql/,Databases; AWS; Microsoft Azure; Google Cloud; Oracle; Linux; SQL; MySQL +Learning Paths,CC4.0,Learning Path - Learn how to deploy PostgreSQL,https://learn.arm.com/learning-paths/servers-and-cloud-computing/postgresql/,Databases; AWS; Microsoft Azure; Google Cloud; Oracle; Linux; SQL; PostgreSQL +Learning Paths,CC4.0,Learning Path - Measure Machine Learning Inference Performance on Arm servers,https://learn.arm.com/learning-paths/servers-and-cloud-computing/ml-perf/,ML; AWS; Oracle; Linux; TensorFlow; Runbook +Learning Paths,CC4.0,Learning Path - Measure performance of compression libraries on Arm servers,https://learn.arm.com/learning-paths/servers-and-cloud-computing/snappy/,Libraries; AWS; Oracle; Linux; snappy; Runbook +Learning Paths,CC4.0,Learning Path - Migrate a .NET application to Azure Cobalt 100,https://learn.arm.com/learning-paths/servers-and-cloud-computing/dotnet-migration/,Performance and Architecture; Microsoft Azure; Linux; .NET; Orchard Core; C +Learning Paths,CC4.0,Learning Path - Migrate x86 workloads to Arm on Google Kubernetes Engine with Axion processors,https://learn.arm.com/learning-paths/servers-and-cloud-computing/gke-multi-arch-axion/,Containers and Virtualization; Google Cloud; Linux; Kubernetes; GKE; Skaffold; Cloud Build +Learning Paths,CC4.0,Learning Path - Optimize exponential functions with FEXPA,https://learn.arm.com/learning-paths/servers-and-cloud-computing/fexpa/,Performance and Architecture; AWS; Microsoft Azure; Google Cloud; Linux; macOS; C; CPP +Learning Paths,CC4.0,Learning Path - Run a .NET Aspire application on Arm-based VMs on AWS and GCP,https://learn.arm.com/learning-paths/servers-and-cloud-computing/net-aspire/,Containers and Virtualization; AWS; Google Cloud; Windows; Linux; .NET; C#; Visual Studio Code +Learning Paths,CC4.0,Learning Path - Run distributed inference with llama.cpp on Arm-based AWS Graviton4 instances,https://learn.arm.com/learning-paths/servers-and-cloud-computing/distributed-inference-with-llama-cpp/,ML; AWS; Linux; LLM; Generative AI +Learning Paths,CC4.0,Learning Path - Run Java applications on Google Axion processors,https://learn.arm.com/learning-paths/servers-and-cloud-computing/java-on-axion/,Performance and Architecture; Google Cloud; Linux; Java; Google Axion; Runbook +Learning Paths,CC4.0,Learning Path - Run memcached on Arm servers and measure its performance,https://learn.arm.com/learning-paths/servers-and-cloud-computing/memcached/,Web; AWS; Oracle; Linux; Runbook; Memcached +Learning Paths,CC4.0,Learning Path - Run x265 (H.265 codec) on Arm servers,https://learn.arm.com/learning-paths/servers-and-cloud-computing/codec/,Libraries; AWS; Oracle; Linux; x265 +Learning Paths,CC4.0,Learning Path - Benchmark Linux kernel performance on Arm servers with Fastpath,https://learn.arm.com/learning-paths/servers-and-cloud-computing/fastpath/,Performance and Architecture; AWS; Linux; Fastpath; tuxmake +Learning Paths,CC4.0,Learning Path - Scan multi-architecture containers with Trivy on Azure Cobalt 100,https://learn.arm.com/learning-paths/servers-and-cloud-computing/trivy-on-gcpp/,Containers and Virtualization; Microsoft Azure; Linux; Trivy; Docker; GitHub Actions; YAML +Learning Paths,CC4.0,Learning Path - Add Arm nodes to your GKE cluster using a multi-architecture Ollama container image,https://learn.arm.com/learning-paths/servers-and-cloud-computing/multiarch_ollama_on_gke/,Containers and Virtualization; Google Cloud; Linux; macOS; LLM; Ollama; Generative AI +Learning Paths,CC4.0,Learning Path - Build a multi-architecture Kubernetes cluster running nginx on Azure AKS,https://learn.arm.com/learning-paths/servers-and-cloud-computing/multiarch_nginx_on_aks/,Containers and Virtualization; Microsoft Azure; Linux; nginx; Web Server; Azure; Kubernetes +Learning Paths,CC4.0,Learning Path - Build a real-time analytics pipeline with ClickHouse on Google Cloud Axion,https://learn.arm.com/learning-paths/servers-and-cloud-computing/clickhouse-gcp/,Databases; Google Cloud; Linux; ClickHouse; Apache Beam; Google Dataflow; Google Cloud Pub/Sub; Python 3.11 +Learning Paths,CC4.0,Learning Path - Build and share Docker images using AWS CodeBuild,https://learn.arm.com/learning-paths/servers-and-cloud-computing/codebuild/,CI-CD; AWS; Linux; Docker; AWS CodeBuild +Learning Paths,CC4.0,Learning Path - Create an Arm-based Kubernetes cluster on Google Cloud Platform (GCP),https://learn.arm.com/learning-paths/servers-and-cloud-computing/gke/,Containers and Virtualization; Google Cloud; Linux; Terraform; Kubernetes +Learning Paths,CC4.0,Learning Path - Create an Arm-based Kubernetes cluster on Microsoft Azure Kubernetes Service,https://learn.arm.com/learning-paths/servers-and-cloud-computing/aks/,Containers and Virtualization; Microsoft Azure; Linux; Terraform; Kubernetes; WordPress; MySQL +Learning Paths,CC4.0,Learning Path - Create an Azure Linux 3.0 virtual machine with Cobalt 100 processors,https://learn.arm.com/learning-paths/servers-and-cloud-computing/azure-vm/,Containers and Virtualization; Microsoft Azure; Linux; QEMU; Azure CLI +Learning Paths,CC4.0,Learning Path - Create multi-architecture Docker images with Buildkite on Google Axion,https://learn.arm.com/learning-paths/servers-and-cloud-computing/buildkite-gcp/,CI-CD; Google Cloud; Linux; Buildkite; Docker; Docker Buildx +Learning Paths,CC4.0,Learning Path - Deploy .NET applications to Arm Virtual Machines and Container Registry in Microsoft Azure,https://learn.arm.com/learning-paths/servers-and-cloud-computing/from-iot-to-the-cloud-part1/,Containers and Virtualization; Microsoft Azure; Linux; .NET SDK; C# +Learning Paths,CC4.0,Learning Path - Deploy a .NET application on Microsoft Azure Cobalt 100 VMs,https://learn.arm.com/learning-paths/servers-and-cloud-computing/azure-cobalt-cicd-aks/,Containers and Virtualization; Microsoft Azure; Linux; .NET; Kubernetes; Docker +Learning Paths,CC4.0,Learning Path - Deploy a containerized application using Azure Container Instances,https://learn.arm.com/learning-paths/servers-and-cloud-computing/from-iot-to-the-cloud-part2/,Containers and Virtualization; Microsoft Azure; Linux; Windows; ASP.NET Core; Docker +Learning Paths,CC4.0,Learning Path - Deploy a static website to Amazon S3 and integrate with AWS Lambda and DynamoDB using the Serverless Framework,https://learn.arm.com/learning-paths/servers-and-cloud-computing/serverless-framework-aws-s3/,Web; AWS; Linux; Windows; macOS; Node.js; Visual Studio Code +Learning Paths,CC4.0,Learning Path - Deploy an application to Azure Kubernetes Service,https://learn.arm.com/learning-paths/servers-and-cloud-computing/from-iot-to-the-cloud-part3/,Containers and Virtualization; Microsoft Azure; Linux; ASP.NET Core; Docker; Kubernetes +Learning Paths,CC4.0,Learning Path - Deploy and integrate AWS Lambda with DynamoDB using the Serverless Framework,https://learn.arm.com/learning-paths/servers-and-cloud-computing/serverless-framework-aws-lambda-dynamodb/,Web; AWS; Linux; Windows; macOS; Node.js; Visual Studio Code +Learning Paths,CC4.0,Learning Path - Deploy Apache Flink on Google Cloud C4A (Arm-based Axion VMs),https://learn.arm.com/learning-paths/servers-and-cloud-computing/flink-on-gcp/,Performance and Architecture; Google Cloud; Linux; Flink; Java; Maven +Learning Paths,CC4.0,Learning Path - Deploy Apache Kafka on Arm-based Microsoft Azure Cobalt 100 virtual machines,https://learn.arm.com/learning-paths/servers-and-cloud-computing/kafka-azure/,Storage; Microsoft Azure; Linux; Kafka +Learning Paths,CC4.0,Learning Path - Deploy Apache Spark on Google Axion processors,https://learn.arm.com/learning-paths/servers-and-cloud-computing/spark-on-gcp/,Performance and Architecture; Google Cloud; Linux; Apache Spark; Python +Learning Paths,CC4.0,Learning Path - Deploy applications on Arm-based GKE using GitOps with Argo CD,https://learn.arm.com/learning-paths/servers-and-cloud-computing/argo-cd-gcp/,Containers and Virtualization; Google Cloud; Linux; Argo CD; Kubernetes; kubectl; GKE; Git; NGINX +Learning Paths,CC4.0,Learning Path - Deploy Arm Instances on AWS using Terraform,https://learn.arm.com/learning-paths/servers-and-cloud-computing/aws-terraform/,Containers and Virtualization; AWS; Linux; Terraform; Bastion +Learning Paths,CC4.0,Learning Path - Deploy Arm Instances on Oracle Cloud Infrastructure (OCI) using Terraform,https://learn.arm.com/learning-paths/servers-and-cloud-computing/oci-terraform/,Containers and Virtualization; Oracle; Linux; Terraform +Learning Paths,CC4.0,Learning Path - Deploy Arm virtual machines on Google Cloud Platform (GCP) using Terraform,https://learn.arm.com/learning-paths/servers-and-cloud-computing/gcp/,Containers and Virtualization; Google Cloud; Linux; Terraform; Bastion +Learning Paths,CC4.0,Learning Path - Deploy Arm virtual machines on Microsoft Azure with Terraform,https://learn.arm.com/learning-paths/servers-and-cloud-computing/azure-terraform/,Containers and Virtualization; Microsoft Azure; Linux; Terraform; Bastion +Learning Paths,CC4.0,Learning Path - Deploy AWS services using the Serverless Framework,https://learn.arm.com/learning-paths/servers-and-cloud-computing/serverless-framework-aws-intro/,Web; AWS; Windows; Node.js; Visual Studio Code +Learning Paths,CC4.0,Learning Path - Deploy Cassandra on a Google Axion C4A virtual machine,https://learn.arm.com/learning-paths/servers-and-cloud-computing/cassandra-on-gcp/,Databases; Google Cloud; Linux; Apache Cassandra; Java; cqlsh; cassandra-stress +Learning Paths,CC4.0,Learning Path - Deploy CircleCI Arm Native Workflows on AWS EC2 Graviton,https://learn.arm.com/learning-paths/servers-and-cloud-computing/circleci-on-aws/,CI-CD; AWS; Linux; CircleCI; Bash; Git +Learning Paths,CC4.0,Learning Path - Deploy containers on Amazon ECS with AWS Graviton processors,https://learn.arm.com/learning-paths/servers-and-cloud-computing/ecs/,Containers and Virtualization; AWS; Linux; Terraform; AWS Elastic Container Service (ECS) +Learning Paths,CC4.0,Learning Path - Deploy Couchbase on Google Cloud C4A,https://learn.arm.com/learning-paths/servers-and-cloud-computing/couchbase-on-gcp/,Databases; Google Cloud; Linux; Couchbase +Learning Paths,CC4.0,Learning Path - Deploy Django on Arm-based Google Cloud C4A,https://learn.arm.com/learning-paths/servers-and-cloud-computing/django-on-gcp/,Web; Google Cloud; Linux; Django; Docker; Kubernetes; Google Artifact Registry; Cloud SQL (PostgreSQL); Memorystore (Redis) +Learning Paths,CC4.0,Learning Path - Deploy Envoy Proxy on Google Cloud C4A (Arm-based Axion VMs),https://learn.arm.com/learning-paths/servers-and-cloud-computing/envoy-gcp/,Web; Google Cloud; Linux; Envoy; Siege; Networking; Service Mesh +Learning Paths,CC4.0,Learning Path - Deploy Gardener on Google Cloud C4A (Arm-based Axion VMs),https://learn.arm.com/learning-paths/servers-and-cloud-computing/gardener-gcp/,Containers and Virtualization; Google Cloud; Linux; Gardener; Kubernetes; Docker; KinD; Helm; kube-bench +Learning Paths,CC4.0,Learning Path - Deploy GitHub Actions Self-Hosted Runner on Google Axion C4A virtual machine,https://learn.arm.com/learning-paths/servers-and-cloud-computing/github-on-arm/,CI-CD; Google Cloud; Linux; GitHub Actions; GitHub CLI +Learning Paths,CC4.0,Learning Path - Deploy Golang on Azure Cobalt 100 on Arm,https://learn.arm.com/learning-paths/servers-and-cloud-computing/golang-on-azure/,Performance and Architecture; Microsoft Azure; Linux; Golang +Learning Paths,CC4.0,Learning Path - Deploy Java applications on Azure Cobalt 100 processors,https://learn.arm.com/learning-paths/servers-and-cloud-computing/java-on-azure/,Performance and Architecture; Microsoft Azure; Linux; Java; JMH +Learning Paths,CC4.0,Learning Path - Deploy MongoDB on an Arm-based Google Axion C4A VM,https://learn.arm.com/learning-paths/servers-and-cloud-computing/mongodb-on-gcp/,Databases; Google Cloud; Linux; MongoDB; YCSB +Learning Paths,CC4.0,Learning Path - Deploy MySQL and WordPress on an always free tier Arm shape,https://learn.arm.com/learning-paths/servers-and-cloud-computing/wordpress/,Databases; Oracle; Linux; MySQL; WordPress +Learning Paths,CC4.0,Learning Path - Deploy MySQL on Microsoft Azure Cobalt 100 processors,https://learn.arm.com/learning-paths/servers-and-cloud-computing/mysql-azure/,Databases; Microsoft Azure; Linux; MySQL; SQL; Docker +Learning Paths,CC4.0,Learning Path - Deploy NGINX on Azure Cobalt 100 Arm-based virtual machines,https://learn.arm.com/learning-paths/servers-and-cloud-computing/nginx-on-azure/,Web; Microsoft Azure; Linux; NGINX; ApacheBench +Learning Paths,CC4.0,Learning Path - Deploy Node.js on Google Cloud C4A Arm-based Axion VMs,https://learn.arm.com/learning-paths/servers-and-cloud-computing/node-js-gcp/,Web; Google Cloud; Linux; Node.js; npm; Autocannon +Learning Paths,CC4.0,Learning Path - Deploy PHP on Google Cloud C4A Arm-based Axion VMs,https://learn.arm.com/learning-paths/servers-and-cloud-computing/php-on-gcp/,Web; Google Cloud; Linux; PHP; Apache; PHPBench +Learning Paths,CC4.0,Learning Path - Deploy Puppet on Google Cloud C4A,https://learn.arm.com/learning-paths/servers-and-cloud-computing/puppet-on-gcp/,Performance and Architecture; Google Cloud; Linux; Puppet; Ruby; Facter; Hiera +Learning Paths,CC4.0,Learning Path - Deploy Redis for data searching on Google Cloud C4A,https://learn.arm.com/learning-paths/servers-and-cloud-computing/redis-data-searching/,Databases; Google Cloud; Linux; Redis; redis-benchmark +Learning Paths,CC4.0,Learning Path - Deploy Ruby on Rails on Arm-based Google Cloud C4A virtual machines,https://learn.arm.com/learning-paths/servers-and-cloud-computing/ruby-on-rails/,Web; Google Cloud; Linux; Ruby; Rails; PostgreSQL +Learning Paths,CC4.0,Learning Path - Deploy Rust on Google Cloud C4A (Arm-based Axion VMs),https://learn.arm.com/learning-paths/servers-and-cloud-computing/rust-on-gcp/,Performance and Architecture; Google Cloud; Linux; Rust; Cargo; Criterion +Learning Paths,CC4.0,Learning Path - Deploy SqueezeNet 1.0 INT8 model with ONNX Runtime on Azure Cobalt 100,https://learn.arm.com/learning-paths/servers-and-cloud-computing/onnx-on-azure/,ML; Microsoft Azure; Linux; Python; ONNX Runtime +Learning Paths,CC4.0,Learning Path - Deploy TensorFlow on Google Cloud C4A (Arm-based Axion VMs),https://learn.arm.com/learning-paths/servers-and-cloud-computing/tensorflow-gcp/,ML; Google Cloud; Linux; TensorFlow; Python; Keras +Learning Paths,CC4.0,Learning Path - Deploy TypeScript on Google Cloud C4A virtual machines,https://learn.arm.com/learning-paths/servers-and-cloud-computing/typescript-on-gcp/,Web; Google Cloud; Linux; TypeScript; node.js; npm +Learning Paths,CC4.0,Learning Path - Deploy WordPress with MySQL on Elastic Kubernetes Service (EKS),https://learn.arm.com/learning-paths/servers-and-cloud-computing/eks/,Containers and Virtualization; AWS; Linux; AWS Elastic Kubernetes Service (EKS); Kubernetes; SQL; MySQL; WordPress +Learning Paths,CC4.0,Learning Path - How to use AWS Graviton processors on AWS Fargate with Copilot,https://learn.arm.com/learning-paths/servers-and-cloud-computing/aws-copilot/,Containers and Virtualization; AWS; Linux; Docker +Learning Paths,CC4.0,Learning Path - Install and validate Helm on Google Cloud C4A Arm-based VMs,https://learn.arm.com/learning-paths/servers-and-cloud-computing/helm-on-gcp/,Containers and Virtualization; Google Cloud; Linux; Helm; Kubernetes; kubectl; GKE; PostgreSQL; Redis; NGINX +Learning Paths,CC4.0,Learning Path - Learn how to build and deploy a multi-architecture application on Amazon EKS,https://learn.arm.com/learning-paths/servers-and-cloud-computing/eks-multi-arch/,Containers and Virtualization; AWS; Linux; Kubernetes; AWS Elastic Kubernetes Service (EKS) +Learning Paths,CC4.0,Learning Path - Learn how to deploy AWS Lambda functions,https://learn.arm.com/learning-paths/servers-and-cloud-computing/lambda_functions/,Containers and Virtualization; AWS; Linux; Terraform; AWS Lambda +Learning Paths,CC4.0,Learning Path - Learn how to deploy Spark on AWS Graviton2,https://learn.arm.com/learning-paths/servers-and-cloud-computing/spark/,Databases; AWS; Linux; Terraform +Learning Paths,CC4.0,Learning Path - Learn how to migrate an x86 application to multi-architecture with Arm-based on Google Axion Processor on GKE,https://learn.arm.com/learning-paths/servers-and-cloud-computing/gke-multi-arch/,Containers and Virtualization; Google Cloud; Linux; Kubernetes; Runbook +Learning Paths,CC4.0,"Learning Path - Managed, self-hosted Arm runners for GitHub Actions",https://learn.arm.com/learning-paths/servers-and-cloud-computing/github-actions-runner/,CI-CD; AWS; Linux; AWS Cloud Formation; GitHub; AWS EC2 +Learning Paths,CC4.0,Learning Path - Perform Sentiment Analysis on X on Arm-based EKS clusters,https://learn.arm.com/learning-paths/servers-and-cloud-computing/sentiment-analysis-eks/,Containers and Virtualization; AWS; Linux; Kubernetes; AWS Elastic Kubernetes Service (EKS) +Learning Paths,CC4.0,Learning Path - Run CircleCI Arm Native Workflows on a SUSE Arm GCP VM,https://learn.arm.com/learning-paths/servers-and-cloud-computing/circleci-gcp/,CI-CD; Google Cloud; Linux; CircleCI; Node.js; npm; Docker +Learning Paths,CC4.0,Learning Path - Run MongoDB on Arm-based Azure Cobalt 100 instances,https://learn.arm.com/learning-paths/servers-and-cloud-computing/mongodb-on-azure/,Databases; Microsoft Azure; Linux; MongoDB; mongotop; mongostat +Learning Paths,CC4.0,Learning Path - Run Spark applications on Microsoft Azure Cobalt 100 processors,https://learn.arm.com/learning-paths/servers-and-cloud-computing/spark-on-azure/,Performance and Architecture; Microsoft Azure; Linux; Apache Spark; Python; Docker +Learning Paths,CC4.0,Learning Path - Use Infrastructure as Code and Pulumi to provision Azure resources,https://learn.arm.com/learning-paths/servers-and-cloud-computing/from-iot-to-the-cloud-part4/,Containers and Virtualization; Microsoft Azure; Windows; TypeScript; Docker +Learning Paths,CC4.0,Learning Path - Build a CI/CD pipeline using GitLab-hosted Arm runners,https://learn.arm.com/learning-paths/cross-platform/gitlab-managed-runners/,CI-CD; Google Cloud; Linux; GitLab; Docker; C +Learning Paths,CC4.0,Learning Path - Build a CI/CD pipeline with GitLab on Google Axion,https://learn.arm.com/learning-paths/cross-platform/gitlab/,Containers and Virtualization; Google Cloud; Linux; Kubernetes; Docker; GitLab +Learning Paths,CC4.0,Learning Path - Deploy a Windows on Arm virtual machine on Microsoft Azure,https://learn.arm.com/learning-paths/cross-platform/woa_azure/,Containers and Virtualization; Microsoft Azure; Windows +Learning Paths,CC4.0,Learning Path - Optimize performance using Link-Time Optimization with GCC,https://learn.arm.com/learning-paths/servers-and-cloud-computing/gcc-lto/,Performance and Architecture; Linux; GCC +Learning Paths,CC4.0,Learning Path - Run the AV1 and VP9 codecs on Arm Linux,https://learn.arm.com/learning-paths/servers-and-cloud-computing/codec1/,Libraries; Linux +Learning Paths,CC4.0,Learning Path - Get started with the Arm 5G RAN Acceleration Library (ArmRAL),https://learn.arm.com/learning-paths/servers-and-cloud-computing/ran/,Performance and Architecture; Linux; ArmRAL; 5G; GCC; Runbook +Learning Paths,CC4.0,Learning Path - Profiling for Neoverse with Streamline CLI Tools,https://learn.arm.com/learning-paths/servers-and-cloud-computing/profiling-for-neoverse/,Performance and Architecture; Linux; Streamline CLI; Runbook +Learning Paths,CC4.0,Learning Path - Sample Instructions with WindowsPerf and Arm SPE,https://learn.arm.com/learning-paths/cross-platform/windowsperf_sampling_cpython_spe/,Performance and Architecture; Windows; WindowsPerf; Python; perf +Learning Paths,CC4.0,Learning Path - Access remote devices with Remote.It,https://learn.arm.com/learning-paths/cross-platform/remoteit/,CI-CD; Linux; Windows; macOS; Remote.It +Learning Paths,CC4.0,Learning Path - Run Geekbench on Arm Linux systems,https://learn.arm.com/learning-paths/servers-and-cloud-computing/geekbench/,Performance and Architecture; Linux; Geekbench; Runbook +Learning Paths,CC4.0,Learning Path - Run ERNIE-4.5 Mixture of Experts model on Armv9 with llama.cpp,https://learn.arm.com/learning-paths/cross-platform/ernie_moe_v9/,ML; Linux; Python; CPP; Bash; llama.cpp +Learning Paths,CC4.0,Learning Path - Learn about glibc with Large System Extensions (LSE) for performance improvement,https://learn.arm.com/learning-paths/servers-and-cloud-computing/glibc-with-lse/,Performance and Architecture; Linux; glibc; LSE; MongoDB; Runbook +Learning Paths,CC4.0,Learning Path - Learn about LLVM Machine Code Analyzer,https://learn.arm.com/learning-paths/cross-platform/mca-godbolt/,Performance and Architecture; Linux; Windows; macOS; Assembly; llvm-mca; Runbook +Learning Paths,CC4.0,Learning Path - Implement Code level Performance Analysis using the PMUv3 plugin,https://learn.arm.com/learning-paths/servers-and-cloud-computing/pmuv3_plugin_learning_path/,Performance and Architecture; Linux; C; CPP; Python; Runbook +Learning Paths,CC4.0,Learning Path - Boost C++ performance by optimizing loops with boundary information,https://learn.arm.com/learning-paths/cross-platform/cpp-loop-size-context/,Performance and Architecture; Linux; CPP; Runbook +Learning Paths,CC4.0,Learning Path - Develop a native C++ library on an Arm-based machine,https://learn.arm.com/learning-paths/cross-platform/matrix/,Performance and Architecture; Linux; macOS; Windows; CPP; GCC; Clang; CMake; Google Test; Runbook +Learning Paths,CC4.0,Learning Path - Learn about function multiversioning,https://learn.arm.com/learning-paths/cross-platform/function-multiversioning/,Performance and Architecture; Linux; Android; macOS; C; CPP; Runbook +Learning Paths,CC4.0,Learning Path - Understand floating-point behavior across x86 and Arm architectures,https://learn.arm.com/learning-paths/cross-platform/floating-point-behavior/,Performance and Architecture; Linux; CPP +Learning Paths,CC4.0,Learning Path - Learn about the impact of stack buffer overflows,https://learn.arm.com/learning-paths/servers-and-cloud-computing/exploiting-stack-buffer-overflow-aarch64/,Performance and Architecture; Linux; Clang; C; Assembly; Runbook +Learning Paths,CC4.0,Learning Path - Debug Neoverse N2 Reference Design with Arm Development Studio,https://learn.arm.com/learning-paths/servers-and-cloud-computing/refinfra-debug/,Performance and Architecture; Linux; Arm Development Studio +Learning Paths,CC4.0,Learning Path - Learn how to write SIMD code on Arm using Rust,https://learn.arm.com/learning-paths/cross-platform/simd-on-rust/,Performance and Architecture; Linux; GCC; Clang; Rust; Runbook +Learning Paths,CC4.0,Learning Path - Optimize network interrupt handling on Arm servers,https://learn.arm.com/learning-paths/servers-and-cloud-computing/irq-tuning-guide/,Performance and Architecture; Linux +Learning Paths,CC4.0,Learning Path - Simulate OpenBMC and UEFI pre-silicon on Neoverse RD-V3,https://learn.arm.com/learning-paths/servers-and-cloud-computing/openbmc-rdv3/,Containers and Virtualization; Linux; C; Docker; FVP; OpenBMC; Yocto/BitBake; ipmitool +Learning Paths,CC4.0,Learning Path - Compare Arm Neoverse and Intel x86 top-down performance analysis with PMU counters,https://learn.arm.com/learning-paths/cross-platform/topdown-compare/,Performance and Architecture; Linux; GCC; Clang; Perf; topdown-tool +Learning Paths,CC4.0,Learning Path - Create and train a PyTorch model for digit classification using the MNIST dataset,https://learn.arm.com/learning-paths/cross-platform/pytorch-digit-classification-arch-training/,ML; Windows; Linux; macOS; Android Studio; Visual Studio Code +Learning Paths,CC4.0,Learning Path - Memory latency for application software developers,https://learn.arm.com/learning-paths/cross-platform/memory-latency/,Performance and Architecture; Linux; GCC; Clang; Runbook +Learning Paths,CC4.0,Learning Path - Build multi-architecture container images with Docker Build Cloud,https://learn.arm.com/learning-paths/cross-platform/docker-build-cloud/,Containers and Virtualization; Linux; Docker +Learning Paths,CC4.0,Learning Path - Learn how to use Docker,https://learn.arm.com/learning-paths/cross-platform/docker/,Containers and Virtualization; Linux; Docker +Learning Paths,CC4.0,Learning Path - Analyze Java performance on Arm servers using flame graphs,https://learn.arm.com/learning-paths/servers-and-cloud-computing/java-perf-flamegraph/,Performance and Architecture; Linux; OpenJDK 21; Apache Tomcat; async-profiler; FlameGraph; wrk2 +Learning Paths,CC4.0,Learning Path - Learn the Arm Neoverse N1 performance analysis methodology,https://learn.arm.com/learning-paths/servers-and-cloud-computing/top-down-n1/,Performance and Architecture; Linux; perf; Telemetry; Runbook +Learning Paths,CC4.0,Learning Path - Get started with Realm Management Extension (RME),https://learn.arm.com/learning-paths/cross-platform/cca_rme/,Performance and Architecture; Linux; Android; Trusted Firmware; Arm Development Studio; RME; CCA; Runbook +Learning Paths,CC4.0,Learning Path - Learn about Autovectorization,https://learn.arm.com/learning-paths/cross-platform/loop-reflowing/,Performance and Architecture; Linux; GCC; Clang; Runbook +Learning Paths,CC4.0,Learning Path - Learn about integer and floating-point conversions,https://learn.arm.com/learning-paths/cross-platform/integer-vs-floats/,Performance and Architecture; Linux; GCC; Clang; Runbook +Learning Paths,CC4.0,Learning Path - Understand the `restrict` keyword in C99,https://learn.arm.com/learning-paths/cross-platform/restrict-keyword-c99/,Performance and Architecture; Linux; GCC; Clang; SVE2; Runbook +Learning Paths,CC4.0,Learning Path - Optimize Arm applications and shared libraries with BOLT,https://learn.arm.com/learning-paths/servers-and-cloud-computing/bolt-merge/,Performance and Architecture; Linux; BOLT; perf; Runbook +Learning Paths,CC4.0,Learning Path - Learn how to optimize an application with BOLT,https://learn.arm.com/learning-paths/servers-and-cloud-computing/bolt/,Performance and Architecture; Linux; BOLT; perf; Runbook +Learning Paths,CC4.0,Learning Path - Explore performance gains by increasing the Linux kernel page size on Arm,https://learn.arm.com/learning-paths/servers-and-cloud-computing/arm_linux_page_size/,Performance and Architecture; Linux; bash +Learning Paths,CC4.0,Learning Path - Learn how to build and use Cloudflare zlib on Arm servers,https://learn.arm.com/learning-paths/servers-and-cloud-computing/zlib/,Libraries; Linux; zlib +Learning Paths,CC4.0,Learning Path - How to use the Arm Performance Monitoring Unit and System Counter,https://learn.arm.com/learning-paths/servers-and-cloud-computing/arm_pmu/,Performance and Architecture; Linux; PAPI; perf; Assembly; GCC; Runbook +Learning Paths,CC4.0,Learning Path - Learn about Neoverse Cache PMU Events using C and Assembly Language,https://learn.arm.com/learning-paths/servers-and-cloud-computing/triggering-pmu-events/,Performance and Architecture; Linux; C; Assembly; Runbook +Learning Paths,CC4.0,Learning Path - Build multi-architecture container images with GitHub Arm-hosted runners,https://learn.arm.com/learning-paths/cross-platform/github-arm-runners/,CI-CD; Linux; GitHub; Docker; Runbook +Learning Paths,CC4.0,Learning Path - Optimize MLOps with Arm-hosted GitHub Runners,https://learn.arm.com/learning-paths/servers-and-cloud-computing/gh-runners/,CI-CD; Linux; Python; PyTorch; ACL; GitHub +Learning Paths,CC4.0,Learning Path - Build and test KleidiCV on macOS,https://learn.arm.com/learning-paths/laptops-and-desktops/kleidicv-on-mac/,Performance and Architecture; macOS; KleidiCV; C +Learning Paths,CC4.0,Learning Path - Unlock quantized LLM performance on Arm-based NVIDIA DGX Spark,https://learn.arm.com/learning-paths/laptops-and-desktops/dgx_spark_llamacpp/,ML; Linux; Python; C; Bash; llama.cpp +Learning Paths,CC4.0,Learning Path - Profile ExecuTorch models with SME2 on Arm,https://learn.arm.com/learning-paths/cross-platform/sme-executorch-profiling/,ML; macOS; Android; ExecuTorch; Python; CMake; SME2 +Learning Paths,CC4.0,Learning Path - Accelerate Matrix Multiplication Performance with SME2,https://learn.arm.com/learning-paths/cross-platform/multiplying-matrices-with-sme2/,Performance and Architecture; Linux; macOS; Windows; C; Clang; LLVM; SME2 +Learning Paths,CC4.0,Learning Path - Fine-tune PyTorch models on DGX Spark,https://learn.arm.com/learning-paths/laptops-and-desktops/pytorch-finetuning-on-spark/,ML; Linux; Python; PyTorch; Docker; Hugging Face +Learning Paths,CC4.0,Learning Path - Optimize C++ applications on Windows on Arm using Profile-Guided Optimization,https://learn.arm.com/learning-paths/laptops-and-desktops/win_profile_guided_optimisation/,Performance and Architecture; Windows; C; MSVC; Google Benchmark; PGO +Learning Paths,CC4.0,Learning Path - Build an offline voice chatbot with faster-whisper and vLLM on DGX Spark,https://learn.arm.com/learning-paths/laptops-and-desktops/dgx_spark_voicechatbot/,Performance and Architecture; Linux; Docker; Python +Learning Paths,CC4.0,Learning Path - Build native Windows on Arm applications with Python,https://learn.arm.com/learning-paths/laptops-and-desktops/win_python/,Migration to Arm; Windows; Python; Visual Studio Code +Learning Paths,CC4.0,Learning Path - Get started with the Windows Performance Analyzer (WPA) plugin for WindowsPerf,https://learn.arm.com/learning-paths/laptops-and-desktops/windowsperf_wpa_plugin/,Performance and Architecture; Windows; WindowsPerf; perf; Windows Performance Analyzer +Learning Paths,CC4.0,Learning Path - Get started with WindowsPerf,https://learn.arm.com/learning-paths/laptops-and-desktops/windowsperf/,Performance and Architecture; Windows; WindowsPerf +Learning Paths,CC4.0,Learning Path - Learn how to use the Visual Studio extension for WindowsPerf,https://learn.arm.com/learning-paths/laptops-and-desktops/windowsperf-vs-extension/,Performance and Architecture; Windows; WindowsPerf; perf; Visual Studio +Learning Paths,CC4.0,Learning Path - Sampling CPython with WindowsPerf,https://learn.arm.com/learning-paths/laptops-and-desktops/windowsperf_sampling_cpython/,Performance and Architecture; Windows; WindowsPerf; Python; perf +Learning Paths,CC4.0,Learning Path - Build and run a native Windows on Arm Qt application,https://learn.arm.com/learning-paths/laptops-and-desktops/win_arm_qt/,Migration to Arm; Windows; C; CPP; Qt +Learning Paths,CC4.0,Learning Path - Create OpenCV applications on Windows on Arm,https://learn.arm.com/learning-paths/laptops-and-desktops/win-opencv/,Migration to Arm; Windows; Visual Studio; Clang; OpenCV; CPP +Learning Paths,CC4.0,Learning Path - Develop desktop applications with Chromium Embedded Framework on Windows on Arm,https://learn.arm.com/learning-paths/laptops-and-desktops/win_cef/,Migration to Arm; Windows; CPP; CMake; HTML; JavaScript; CSS +Learning Paths,CC4.0,Learning Path - How to port the Win32 library to Arm64,https://learn.arm.com/learning-paths/laptops-and-desktops/win_win32_dll_porting/,Migration to Arm; Windows; C; CPP +Learning Paths,CC4.0,Learning Path - Port Applications to Arm64 using Arm64EC,https://learn.arm.com/learning-paths/laptops-and-desktops/win_arm64ec_porting/,Migration to Arm; Windows; C; CPP; Qt +Learning Paths,CC4.0,Learning Path - Run Phi-3 on Windows on Arm using ONNX Runtime,https://learn.arm.com/learning-paths/laptops-and-desktops/win_on_arm_build_onnxruntime/,ML; Windows; Visual Studio; CPP; Python; Git; CMake; ONNX Runtime +Learning Paths,CC4.0,Learning Path - Develop applications with Windows Presentation Foundation (WPF) on Windows on Arm,https://learn.arm.com/learning-paths/laptops-and-desktops/win_wpf/,Migration to Arm; Windows; Windows Presentation Foundation; C#; .NET; Visual Studio +Learning Paths,CC4.0,Learning Path - Integrate AWS Lambda with DynamoDB for IoT applications running Windows on Arm,https://learn.arm.com/learning-paths/laptops-and-desktops/win_aws_iot_lambda_dynamodb/,Migration to Arm; Windows; Node.js; Visual Studio Code +Learning Paths,CC4.0,Learning Path - Use Amazon S3 for your IoT applications running Windows on Arm,https://learn.arm.com/learning-paths/laptops-and-desktops/win_aws_iot_s3/,Migration to Arm; Windows; Node.js; Visual Studio Code +Learning Paths,CC4.0,Learning Path - Build .NET MAUI Applications on Arm64,https://learn.arm.com/learning-paths/laptops-and-desktops/win_net_maui/,Migration to Arm; Windows; .NET; C#; Visual Studio +Learning Paths,CC4.0,Learning Path - Create IoT applications with Windows on Arm and AWS IoT Core,https://learn.arm.com/learning-paths/laptops-and-desktops/win_aws_iot/,Migration to Arm; Windows; Node.js; Visual Studio +Learning Paths,CC4.0,Learning Path - Develop cross-platform applications with Xamarin Forms on Windows on Arm,https://learn.arm.com/learning-paths/laptops-and-desktops/win_xamarin_forms/,Migration to Arm; Windows; Xamarin Forms; C#; .NET; Visual Studio +Learning Paths,CC4.0,Learning Path - Develop cross-platform desktop applications with Electron on Windows on Arm,https://learn.arm.com/learning-paths/laptops-and-desktops/electron/,Migration to Arm; Windows; JavaScript; HTML; Visual Studio Code +Learning Paths,CC4.0,Learning Path - Develop desktop applications with Windows Forms on Windows on Arm,https://learn.arm.com/learning-paths/laptops-and-desktops/win_forms/,Migration to Arm; Windows; Windows Forms; C#; .NET +Learning Paths,CC4.0,Learning Path - Develop Windows applications with WinUI3 on Windows on Arm,https://learn.arm.com/learning-paths/laptops-and-desktops/win_winui3/,Migration to Arm; Windows; WinUI 3; C#; .NET; Visual Studio +Learning Paths,CC4.0,Learning Path - Use Self-Hosted Arm64-based runners in GitHub Actions for CI/CD,https://learn.arm.com/learning-paths/laptops-and-desktops/self_hosted_cicd_github/,Migration to Arm; Linux; .NET; Visual Studio Code +Learning Paths,CC4.0,Learning Path - Use Amazon DynamoDB for your IoT applications running on Arm64,https://learn.arm.com/learning-paths/laptops-and-desktops/win_aws_iot_dynamodb/,Migration to Arm; Windows; .NET; Visual Studio Code +Learning Paths,CC4.0,Learning Path - Use AWS Lambda for IoT applications running on Arm64,https://learn.arm.com/learning-paths/laptops-and-desktops/win_aws_iot_lambda/,Migration to Arm; Windows; .NET; Visual Studio Code +Learning Paths,CC4.0,Learning Path - Build a RAG pipeline on Arm-based NVIDIA DGX Spark,https://learn.arm.com/learning-paths/laptops-and-desktops/dgx_spark_rag/,ML; Linux; Python; llama.cpp; Hugging Face +Learning Paths,CC4.0,Learning Path - Automate Windows on Arm virtual machine deployment with QEMU and KVM on Arm Linux,https://learn.arm.com/learning-paths/laptops-and-desktops/win11-vm-automation/,Migration to Arm; Linux; Windows; QEMU; KVM; Bash; RDP +Learning Paths,CC4.0,Learning Path - Benchmarking .NET 8 applications on Windows on Arm,https://learn.arm.com/learning-paths/laptops-and-desktops/win_net8/,Migration to Arm; Windows; .NET; Visual Studio; Visual Studio Code +Learning Paths,CC4.0,Learning Path - Build a Windows on Arm native application with .NET,https://learn.arm.com/learning-paths/laptops-and-desktops/win_net/,Migration to Arm; Windows; .NET; Visual Studio +Learning Paths,CC4.0,Learning Path - Build a Windows on Arm native application with clang,https://learn.arm.com/learning-paths/laptops-and-desktops/llvm_putty/,Migration to Arm; Windows; LLVM; Visual Studio Code +Learning Paths,CC4.0,Learning Path - Install Arch Linux with the i3 window manager on a Pinebook Pro,https://learn.arm.com/learning-paths/laptops-and-desktops/pinebook-pro/,Migration to Arm; Linux; i3; Alacritty; Neovim +Learning Paths,CC4.0,Learning Path - Run ASP.NET Core Web Server on Arm64,https://learn.arm.com/learning-paths/laptops-and-desktops/win_asp_net8/,Migration to Arm; Windows; .NET; Visual Studio Code +Learning Paths,CC4.0,Learning Path - Adding Memory Tagging to a Dynamic Memory Allocator,https://learn.arm.com/learning-paths/laptops-and-desktops/memory-tagged-dynamic-memory-allocator/,Performance and Architecture; Linux; MTE; C +Learning Paths,CC4.0,Learning Path - Write a Dynamic Memory Allocator,https://learn.arm.com/learning-paths/cross-platform/dynamic-memory-allocator/,Performance and Architecture; Linux; C; Runbook +Learning Paths,CC4.0,Learning Path - Measure application resource and power usage on Windows on Arm with FFmpeg and PowerShell,https://learn.arm.com/learning-paths/laptops-and-desktops/win-resource-ps1/,Migration to Arm; Windows; FFmpeg; PowerShell +Learning Paths,CC4.0,Learning Path - Get started with Windows Subsystem for Linux (WSL) on Arm,https://learn.arm.com/learning-paths/laptops-and-desktops/wsl2/,Migration to Arm; Windows; Linux; WSL; Visual Studio Code +Learning Paths,CC4.0,Learning Path - Implement CI/CD with Windows on Arm host,https://learn.arm.com/learning-paths/laptops-and-desktops/windows_cicd_github/,CI-CD; Windows; GitHub +Learning Paths,CC4.0,Learning Path - Use Arm64EC with Windows 11 on Arm,https://learn.arm.com/learning-paths/laptops-and-desktops/win_arm64ec/,Migration to Arm; Windows; Arm64EC; Visual Studio +Learning Paths,CC4.0,Learning Path - Install Ubuntu on ChromeOS Crostini as an LXC container,https://learn.arm.com/learning-paths/laptops-and-desktops/chrome-os-lxc/,Containers and Virtualization; ChromeOS; Ubuntu +Learning Paths,CC4.0,Learning Path - Get started with Laptops and Desktops,https://learn.arm.com/learning-paths/laptops-and-desktops/intro/,Performance and Architecture; Linux; Windows; ChromeOS +Learning Paths,CC4.0,Learning Path - Run AI models with Docker Model Runner,https://learn.arm.com/learning-paths/laptops-and-desktops/docker-models/,Containers and Virtualization; Windows; macOS; Docker; Python; LLM +Learning Paths,CC4.0,Learning Path - Automate Windows on Arm Builds with GitHub Arm-hosted Runners,https://learn.arm.com/learning-paths/laptops-and-desktops/gh-arm-runners-win/,CI-CD; Windows; GitHub; Visual Studio; MSBuild; Arm Performance Libraries +Learning Paths,CC4.0,Learning Path - Optimize Windows applications using Arm Performance Libraries,https://learn.arm.com/learning-paths/laptops-and-desktops/windows_armpl/,Migration to Arm; Windows; Visual Studio; C#; .NET; Arm Performance Libraries +Learning Paths,CC4.0,Learning Path - Create Linux virtual machines with Hyper-V,https://learn.arm.com/learning-paths/laptops-and-desktops/hyper-v/,Migration to Arm; Windows; Linux; Hyper-V +Learning Paths,CC4.0,Learning Path - Deploy GitHub Actions workflows using Windows Sandbox,https://learn.arm.com/learning-paths/laptops-and-desktops/win_sandbox_dot_net_cicd/,CI-CD; Windows; .NET; Visual Studio; Windows Sandbox +Learning Paths,CC4.0,Learning Path - Accelerate multimodal Voice Assistant performance with KleidiAI and SME2,https://learn.arm.com/learning-paths/mobile-graphics-and-gaming/voice-assistant/,Performance and Architecture; Android; Linux; macOS; Java; Kotlin; CPP; SME2 +Learning Paths,CC4.0,Learning Path - Accelerate LiteRT Models on Android with KleidiAI and SME2,https://learn.arm.com/learning-paths/mobile-graphics-and-gaming/litert-sme/,ML; Android; C; Python; SME2 +Learning Paths,CC4.0,Learning Path - Build high-performance image processing with Halide on Android,https://learn.arm.com/learning-paths/mobile-graphics-and-gaming/android_halide/,Performance and Architecture; Android; Android Studio; Halide; CPP; Kotlin; CMake +Learning Paths,CC4.0,"Learning Path - Build, optimize, and deploy ML models with ONNX on Arm64 and mobile devices",https://learn.arm.com/learning-paths/mobile-graphics-and-gaming/onnx/,ML; Windows; Linux; macOS; Android; Python; PyTorch; TensorFlow; ONNX; Android Studio; Kotlin +Learning Paths,CC4.0,Learning Path - Get started with Scalable Vector Extension 2 (SVE2) on Android,https://learn.arm.com/learning-paths/mobile-graphics-and-gaming/android_sve2/,Performance and Architecture; Android; Android Studio +Learning Paths,CC4.0,Learning Path - Profile ONNX model performance with SME2 using KleidiAI and ONNX Runtime,https://learn.arm.com/learning-paths/mobile-graphics-and-gaming/performance_onnxruntime_kleidiai_sme2/,ML; Android; Linux; C++; ONNX Runtime; SME2 +Learning Paths,CC4.0,Learning Path - Using Neon intrinsics to optimize Unity on Android,https://learn.arm.com/learning-paths/mobile-graphics-and-gaming/using-neon-intrinsics-to-optimize-unity-on-android/,Gaming; Android; Unity; C# +Learning Paths,CC4.0,Learning Path - Understand KleidiAI SME2 matmul microkernels,https://learn.arm.com/learning-paths/mobile-graphics-and-gaming/kai_sme2_matmul_ukernel_explained/,ML; Android; Linux; C++; KleidiAI; llama.cpp; SME2 +Learning Paths,CC4.0,"Learning Path - Accelerate Denoising, Background Blur and Low-Light Camera Effects with SME2",https://learn.arm.com/learning-paths/mobile-graphics-and-gaming/ai-camera-pipelines/,Performance and Architecture; Linux; macOS; CPP; Docker; SME2 +Learning Paths,CC4.0,Learning Path - Measure LLM inference performance with KleidiAI and SME2 on Android,https://learn.arm.com/learning-paths/mobile-graphics-and-gaming/performance_llama_cpp_sme2/,ML; Android; Linux; SME2; C++; llama.cpp +Learning Paths,CC4.0,Learning Path - Quantize neural upscaling models with ExecuTorch,https://learn.arm.com/learning-paths/mobile-graphics-and-gaming/quantize-neural-upscaling-models/,ML; Linux; macOS; Windows; ExecuTorch; TorchAO; Vulkan; TOSA; NX +Learning Paths,CC4.0,Learning Path - Fine-tuning neural graphics models with Model Gym,https://learn.arm.com/learning-paths/mobile-graphics-and-gaming/model-training-gym/,ML; Linux; PyTorch; Jupyter Notebook; Vulkan; NX +Learning Paths,CC4.0,Learning Path - Get started with neural graphics using ML Extensions for Vulkan®,https://learn.arm.com/learning-paths/mobile-graphics-and-gaming/vulkan-ml-sample/,ML; Windows; Vulkan; RenderDoc; NX +Learning Paths,CC4.0,Learning Path - Neural Super Sampling in Unreal Engine,https://learn.arm.com/learning-paths/mobile-graphics-and-gaming/nss-unreal/,ML; Windows; Unreal Engine; Vulkan SDK; Visual Studio; NX +Learning Paths,CC4.0,Learning Path - Get started with Arm Accuracy Super Resolution (Arm ASR),https://learn.arm.com/learning-paths/mobile-graphics-and-gaming/get-started-with-arm-asr/,Graphics; Android; Unreal Engine +Learning Paths,CC4.0,Learning Path - Analyze a frame with Frame Advisor,https://learn.arm.com/learning-paths/mobile-graphics-and-gaming/analyze_a_frame_with_frame_advisor/,Performance and Architecture; Android; Frame Advisor +Learning Paths,CC4.0,Learning Path - Best Practices for hardware ray tracing with Lumen on Android Devices,https://learn.arm.com/learning-paths/mobile-graphics-and-gaming/best-practices-for-hwrt-lumen-performance/,Gaming; Android; Unreal Engine +Learning Paths,CC4.0,Learning Path - How to Enable Hardware Ray Tracing on Lumen for Android Devices,https://learn.arm.com/learning-paths/mobile-graphics-and-gaming/how-to-enable-hwrt-on-lumen-for-android-devices/,Gaming; Android; Unreal Engine +Learning Paths,CC4.0,Learning Path - Learn about Arm Fixed Rate Compression (AFRC),https://learn.arm.com/learning-paths/mobile-graphics-and-gaming/afrc/,Graphics; Android; Vulkan +Learning Paths,CC4.0,Learning Path - Get started with Unity on Android,https://learn.arm.com/learning-paths/mobile-graphics-and-gaming/get-started-with-unity-on-android/,Gaming; Android; Unity; C# +Learning Paths,CC4.0,Learning Path - Build and profile a simple WebGPU Android Application,https://learn.arm.com/learning-paths/mobile-graphics-and-gaming/android_webgpu_dawn/,Graphics; macOS; Linux; Windows; Android; Java; Kotlin; CPP; Python +Learning Paths,CC4.0,Learning Path - Get started with Arm Performance Studio,https://learn.arm.com/learning-paths/mobile-graphics-and-gaming/ams/,Performance and Architecture; Android; Arm Performance Studio; Arm Mobile Studio +Learning Paths,CC4.0,Learning Path - Learn about Ray Tracing with Vulkan on Android,https://learn.arm.com/learning-paths/mobile-graphics-and-gaming/ray_tracing/,Graphics; Android; Vulkan +Learning Paths,CC4.0,Learning Path - Profile the Performance of AI and ML Mobile Applications on Arm,https://learn.arm.com/learning-paths/mobile-graphics-and-gaming/profiling-ml-on-arm/,ML; Android; Linux; Android Studio; LiteRT; Hugging Face +Learning Paths,CC4.0,Learning Path - Using Unity's Machine Learning Agents on Arm,https://learn.arm.com/learning-paths/mobile-graphics-and-gaming/using_unity_machine_learning_agents/,Gaming; Android; Unity +Learning Paths,CC4.0,Learning Path - Vision LLM inference on Android with KleidiAI and MNN,https://learn.arm.com/learning-paths/mobile-graphics-and-gaming/vision-llm-inference-on-android-with-kleidiai-and-mnn/,ML; Android; Android Studio; KleidiAI +Learning Paths,CC4.0,Learning Path - Profiling Unity apps on Android,https://learn.arm.com/learning-paths/mobile-graphics-and-gaming/profiling-unity-apps-on-android/,Performance and Architecture; Android; Unity; C# +Learning Paths,CC4.0,Learning Path - Generate audio with Stable Audio Open Small using ExecuTorch,https://learn.arm.com/learning-paths/mobile-graphics-and-gaming/run-stable-audio-with-executorch/,Performance and Architecture; Linux; Android; macOS; CPP; Python; Hugging Face; ExecuTorch +Learning Paths,CC4.0,"Learning Path - Build an Android chat app with Llama, KleidiAI, ExecuTorch, and XNNPACK",https://learn.arm.com/learning-paths/mobile-graphics-and-gaming/build-llama3-chat-android-app-using-executorch-and-xnnpack/,ML; macOS; Android; Java; CPP; Python; Hugging Face; ExecuTorch +Learning Paths,CC4.0,Learning Path - Build an Android chat application with ONNX Runtime API,https://learn.arm.com/learning-paths/mobile-graphics-and-gaming/build-android-chat-app-using-onnxruntime/,ML; Windows; Android; Kotlin; CPP; ONNX Runtime; Hugging Face +Learning Paths,CC4.0,Learning Path - Generate audio with Stable Audio Open Small on LiteRT,https://learn.arm.com/learning-paths/mobile-graphics-and-gaming/run-stable-audio-open-small-with-lite-rt/,Performance and Architecture; Linux; Android; CPP; Python; Hugging Face +Learning Paths,CC4.0,Learning Path - Optimize graphics vertex efficiency for Arm GPUs,https://learn.arm.com/learning-paths/mobile-graphics-and-gaming/optimizing-vertex-efficiency/,Performance and Architecture; Android; C; CPP +Learning Paths,CC4.0,Learning Path - Benchmark a KleidiAI micro-kernel in ExecuTorch,https://learn.arm.com/learning-paths/mobile-graphics-and-gaming/measure-kleidiai-kernel-performance-on-executorch/,ML; Linux; Python; ExecuTorch; XNNPACK; KleidiAI +Learning Paths,CC4.0,Learning Path - Debug with MTE on Google Pixel 8,https://learn.arm.com/learning-paths/mobile-graphics-and-gaming/debugging_with_mte_on_pixel8/,Performance and Architecture; Android; Android Studio; MTE +Learning Paths,CC4.0,Learning Path - Optimizing graphics using Frame Advisor's render graphs,https://learn.arm.com/learning-paths/mobile-graphics-and-gaming/render-graph-optimization/,Performance and Architecture; Linux; Windows; macOS; Android; OpenGL ES; Vulkan +Learning Paths,CC4.0,Learning Path - Accelerate an OpenCV-based Android Application with KleidiCV,https://learn.arm.com/learning-paths/mobile-graphics-and-gaming/android_opencv_kleidicv/,Graphics; Android; Android Studio; Kotlin; Java +Learning Paths,CC4.0,Learning Path - Build a Hands-Free Selfie Android Application with MediaPipe,https://learn.arm.com/learning-paths/mobile-graphics-and-gaming/build-android-selfie-app-using-mediapipe-multimodality/,ML; Android; Android Studio; Kotlin; MediaPipe +Learning Paths,CC4.0,Learning Path - Create Computer Vision Applications with OpenCV on Android Devices,https://learn.arm.com/learning-paths/mobile-graphics-and-gaming/android_opencv_camera/,Graphics; Windows; Android; Android Studio; Kotlin; Java +Learning Paths,CC4.0,Learning Path - Detect faces with OpenCV on Android Devices,https://learn.arm.com/learning-paths/mobile-graphics-and-gaming/android_opencv_facedetection/,ML; Windows; macOS; Android; Android Studio; Kotlin +Learning Paths,CC4.0,Learning Path - Profile Android game performance in Godot with Arm Performance Studio,https://learn.arm.com/learning-paths/mobile-graphics-and-gaming/godot_packages/,Performance and Architecture; Windows; macOS; Linux; Godot; Arm Performance Studio +Learning Paths,CC4.0,Learning Path - Memory Tagging Extension on Google Pixel 8,https://learn.arm.com/learning-paths/mobile-graphics-and-gaming/mte_on_pixel8/,Performance and Architecture; Android; MTE; adb; Google Pixel 8 +Learning Paths,CC4.0,Learning Path - Query Arm GPU configuration information,https://learn.arm.com/learning-paths/mobile-graphics-and-gaming/libgpuinfo/,Performance and Architecture; Android; Android NDK; adb +Learning Paths,CC4.0,"Learning Path - LLM inference on Android with KleidiAI, MediaPipe, and XNNPACK",https://learn.arm.com/learning-paths/mobile-graphics-and-gaming/kleidiai-on-android-with-mediapipe-and-xnnpack/,ML; Linux; Java; MediaPipe; Android SDK; Android NDK; Bazel; XNNPACK; Hugging Face +Learning Paths,CC4.0,Learning Path - Install and Use Arm integration packages for Unity,https://learn.arm.com/learning-paths/mobile-graphics-and-gaming/unity_packages/,Performance and Architecture; Windows; macOS; Linux; Unity; Arm Performance Studio +Learning Paths,CC4.0,Learning Path - Get started with Arm hardware,https://learn.arm.com/learning-paths/mobile-graphics-and-gaming/intro/,Performance and Architecture; Android +Learning Paths,CC4.0,Learning Path - Install a Unity Game on a single board computer (Orange Pi 5),https://learn.arm.com/learning-paths/mobile-graphics-and-gaming/unity_on_orange_pi/,Gaming; Android; Unity; 7-Zip; SDDiskTool +Learning Paths,CC4.0,Learning Path - Learn about the Arm Memory Tagging Extension,https://learn.arm.com/learning-paths/mobile-graphics-and-gaming/mte/,Performance and Architecture; Linux; QEMU +Learning Paths,CC4.0,Learning Path - Debug Arm Zena CSS Reference Software Stack with Arm Development Studio,https://learn.arm.com/learning-paths/automotive/zenacssdebug/,Performance and Architecture; Linux; Arm Development Studio; Arm Zena CSS; FVP +Learning Paths,CC4.0,Learning Path - Prototype safety-critical isolation for autonomous driving systems on Neoverse,https://learn.arm.com/learning-paths/automotive/openadkit2_safetyisolation/,Containers and Virtualization; Linux; Python; Docker; ROS 2; DDS +Learning Paths,CC4.0,Learning Path - Deploy Open AD Kit containerized autonomous driving simulation on Arm Neoverse,https://learn.arm.com/learning-paths/automotive/openadkit1_container/,Containers and Virtualization; Linux; Python; Docker; ROS 2 +Learning Paths,CC4.0,Learning Path - Build and deploy multi-node Zenoh systems on Raspberry Pi,https://learn.arm.com/learning-paths/cross-platform/zenoh-multinode-ros2/,Performance and Architecture; Linux; ROS 2; C; Raspberry Pi; Zenoh; Rust +Learning Paths,CC4.0,Learning Path - Develop Arm automotive software on the System76 Thelio Astra,https://learn.arm.com/learning-paths/automotive/system76-auto/,Containers and Virtualization; Linux +Learning Paths,CC4.0,Learning Path - Build a Privacy-First LLM Smart Home on Raspberry Pi 5,https://learn.arm.com/learning-paths/embedded-and-microcontrollers/raspberry-pi-smart-home/,ML; Linux; Python; Ollama; gpiozero; lgpio; FastAPI; Raspberry Pi +Learning Paths,CC4.0,Learning Path - Migrating x86_64 workloads to aarch64,https://learn.arm.com/learning-paths/embedded-and-microcontrollers/migration/,Performance and Architecture; Linux; GCC; Arm Compiler for Linux; Docker; Neon +Learning Paths,CC4.0,Learning Path - Use Linux on the NXP FRDM i.MX 93 board,https://learn.arm.com/learning-paths/embedded-and-microcontrollers/linux-nxp-board/,ML; Linux; macOS; Bash; systemd; picocom; ConnMan; OpenSSH +Learning Paths,CC4.0,Learning Path - Build an RTX5 RTOS application with Keil Studio (VS Code),https://learn.arm.com/learning-paths/embedded-and-microcontrollers/cmsis_rtx_vs/,RTOS Fundamentals; RTOS; Keil RTX RTOS; Keil MDK; Arm Development Studio +Learning Paths,CC4.0,Learning Path - Build an RTX5 RTOS application with Keil μVision,https://learn.arm.com/learning-paths/embedded-and-microcontrollers/cmsis_rtx/,RTOS Fundamentals; RTOS; Keil RTX RTOS; Keil MDK; Arm Development Studio +Learning Paths,CC4.0,Learning Path - Create a ChatGPT voice bot on a Raspberry Pi,https://learn.arm.com/learning-paths/embedded-and-microcontrollers/raspberry_pi_chatgpt_bot/,ML; Linux; ChatGPT; Porcupine; Python +Learning Paths,CC4.0,Learning Path - Develop for Matter with Arm Virtual Hardware,https://learn.arm.com/learning-paths/embedded-and-microcontrollers/avh_matter/,CI-CD; Linux; Matter; Arm Virtual Hardware; GitHub +Learning Paths,CC4.0,Learning Path - Get started with Microcontrollers,https://learn.arm.com/learning-paths/embedded-and-microcontrollers/intro/,Performance and Architecture; Baremetal; RTOS +Learning Paths,CC4.0,Learning Path - Navigate Machine Learning development with Ethos-U processors,https://learn.arm.com/learning-paths/embedded-and-microcontrollers/nav-mlek/,ML; Baremetal; FVP; Arm Virtual Hardware; GCC; Arm Compiler for Embedded; MPS3 +Learning Paths,CC4.0,Learning Path - Build and run a letter recognition NN model on an STM32L4 Discovery board,https://learn.arm.com/learning-paths/embedded-and-microcontrollers/tflow_nn_stcube/,ML; Baremetal; TensorFlow; STM32 +Learning Paths,CC4.0,Learning Path - Build and run an image classification NN model on an STM32L4 Discovery board,https://learn.arm.com/learning-paths/embedded-and-microcontrollers/img_nn_stcube/,ML; Baremetal; TensorFlow; STM32 +Learning Paths,CC4.0,Learning Path - Deploy PaddlePaddle on Arm Cortex-M with Arm Virtual Hardware,https://learn.arm.com/learning-paths/embedded-and-microcontrollers/avh_ppocr/,ML; Baremetal; Arm Virtual Hardware; GCC; Paddle; TVMC +Learning Paths,CC4.0,Learning Path - Build an Embedded Application with Rust and Debug with Arm Development Studio,https://learn.arm.com/learning-paths/cross-platform/rust_armds/,Performance and Architecture; Baremetal; IP Explorer +Learning Paths,CC4.0,Learning Path - Custom software for simulation with IP Explorer,https://learn.arm.com/learning-paths/cross-platform/ipexplorer/,Performance and Architecture; Baremetal; IP Explorer +Learning Paths,CC4.0,Learning Path - Deploy IoT apps using Balena Cloud and Arm Virtual Hardware,https://learn.arm.com/learning-paths/embedded-and-microcontrollers/avh_balena/,Embedded Linux; Linux; Arm Virtual Hardware; balenaCloud; Raspberry Pi; BalenaOS +Learning Paths,CC4.0,Learning Path - Design an AXI-Lite peripheral to control GPIOs,https://learn.arm.com/learning-paths/embedded-and-microcontrollers/advanced_soc/,Performance and Architecture; Baremetal; FPGA +Learning Paths,CC4.0,Learning Path - Embedded programming with Arduino on the Raspberry Pi Pico,https://learn.arm.com/learning-paths/embedded-and-microcontrollers/arduino-pico/,RTOS Fundamentals; Baremetal; Arduino +Learning Paths,CC4.0,Learning Path - Migrating Projects to CMSIS v6,https://learn.arm.com/learning-paths/embedded-and-microcontrollers/project-migration-cmsis-v6/,Libraries; Baremetal; RTOS; CMSIS; CMSIS-Toolbox +Learning Paths,CC4.0,Learning Path - Start Debugging with µVision,https://learn.arm.com/learning-paths/embedded-and-microcontrollers/uv_debug/,Performance and Architecture; RTOS; Baremetal; Keil MDK; FVP +Learning Paths,CC4.0,Learning Path - Run a Computer Vision Model on a Himax Microcontroller,https://learn.arm.com/learning-paths/embedded-and-microcontrollers/yolo-on-himax/,ML; Linux; macOS; Himax SDK; Python; Hugging Face +Learning Paths,CC4.0,Learning Path - Write Arm Assembler functions,https://learn.arm.com/learning-paths/embedded-and-microcontrollers/asm/,Performance and Architecture; Baremetal; Keil MDK +Learning Paths,CC4.0,Learning Path - Run a local LLM chatbot on a Raspberry Pi 5,https://learn.arm.com/learning-paths/embedded-and-microcontrollers/llama-python-cpu/,ML; Linux; LLM; Generative AI; Raspberry Pi; Python; Hugging Face +Learning Paths,CC4.0,Learning Path - Learn how to run AI on Edge devices using Arduino Nano RP2040,https://learn.arm.com/learning-paths/embedded-and-microcontrollers/edge/,ML; Baremetal; Edge Impulse; tinyML; Edge AI; Arduino +Learning Paths,CC4.0,Learning Path - Deploy an MCP Server on Raspberry Pi 5 for AI Agent Interaction using OpenAI SDK,https://learn.arm.com/learning-paths/cross-platform/mcp-ai-agent/,ML; Linux; Python; AI; Raspberry Pi; MCP +Learning Paths,CC4.0,Learning Path - Build and run Arm Total Solutions for IoT,https://learn.arm.com/learning-paths/embedded-and-microcontrollers/iot-sdk/,ML; Baremetal; RTOS; Arm Virtual Hardware; FVP; Arm Compiler for Embedded +Learning Paths,CC4.0,Learning Path - Build IoT Solutions in Azure for Arm Devices,https://learn.arm.com/learning-paths/embedded-and-microcontrollers/azure-iot/,Performance and Architecture; Windows; Linux; macOS; Python; Azure; Visual Studio Code +Learning Paths,CC4.0,Learning Path - Deploy IoT apps using AWS IoT Greengrass and Arm Virtual Hardware,https://learn.arm.com/learning-paths/embedded-and-microcontrollers/avh_greengrass/,Embedded Linux; Linux; Arm Virtual Hardware; AWS IoT Greengrass; Raspberry Pi +Learning Paths,CC4.0,Learning Path - Integrate Arm Virtual Hardware into CI/CD workflow 1,https://learn.arm.com/learning-paths/cross-platform/avh_cicd/,CI-CD; Baremetal; Arm Virtual Hardware; GitHub +Learning Paths,CC4.0,Learning Path - Integrate Arm Virtual Hardware into CI/CD workflow 2,https://learn.arm.com/learning-paths/cross-platform/avh_cicd2/,CI-CD; Baremetal; Arm Virtual Hardware; GitHub +Learning Paths,CC4.0,Learning Path - Profile the Linux kernel with Arm Streamline,https://learn.arm.com/learning-paths/embedded-and-microcontrollers/streamline-kernel-module/,Performance and Architecture; Linux; Arm Streamline; Arm Performance Studio; Linux kernel; Performance analysis +Learning Paths,CC4.0,Learning Path - Build Zephyr projects with Workbench for Zephyr in VS Code,https://learn.arm.com/learning-paths/embedded-and-microcontrollers/zephyr_vsworkbench/,RTOS Fundamentals; RTOS; Zephyr; C +Learning Paths,CC4.0,Learning Path - Debug Trusted Firmware-A and the Linux kernel on Arm FVP with Arm Development Studio,https://learn.arm.com/learning-paths/embedded-and-microcontrollers/linux-on-fvp/,Embedded Linux; Linux; Arm Development Studio; C; Assembly +Learning Paths,CC4.0,Learning Path - Build a Universal Single Board Computer Rack Mount System,https://learn.arm.com/learning-paths/embedded-and-microcontrollers/universal-sbc-chassis/,Embedded Linux; Linux; Fusion 360 +Learning Paths,CC4.0,Learning Path - Get started with object detection using a Jetson Orin Nano,https://learn.arm.com/learning-paths/embedded-and-microcontrollers/jetson_object_detection/,ML; Linux; DetectNet; TensorRT; Docker +Learning Paths,CC4.0,Learning Path - Visualize Ethos-U NPU performance with ExecuTorch on Arm FVPs,https://learn.arm.com/learning-paths/embedded-and-microcontrollers/visualizing-ethos-u-performance/,ML; Linux; macOS; Arm Virtual Hardware; FVP; Python; PyTorch; ExecuTorch; Arm Compute Library; GCC; Docker +Learning Paths,CC4.0,Learning Path - Introduction to TinyML on Arm using PyTorch and ExecuTorch,https://learn.arm.com/learning-paths/embedded-and-microcontrollers/introduction-to-tinyml-on-arm/,ML; Linux; Arm Virtual Hardware; FVP; Python; PyTorch; ExecuTorch; Arm Compute Library; GCC +Learning Paths,CC4.0,Learning Path - Run Llama 3 on a Raspberry Pi 5 using ExecuTorch,https://learn.arm.com/learning-paths/embedded-and-microcontrollers/rpi-llama3/,ML; Linux; LLM; Generative AI; Raspberry Pi; Hugging Face; ExecuTorch +Learning Paths,CC4.0,Learning Path - Get started with Trusted Firmware-M,https://learn.arm.com/learning-paths/embedded-and-microcontrollers/tfm/,Security; Baremetal; Arm Virtual Hardware; FVP; TrustZone; Trusted Firmware +Learning Paths,CC4.0,Learning Path - Run the Zephyr RTOS on Arm Corstone-300,https://learn.arm.com/learning-paths/embedded-and-microcontrollers/zephyr/,RTOS Fundamentals; RTOS; Zephyr; Arm Virtual Hardware; FVP +Learning Paths,CC4.0,Learning Path - Edge AI on Arm: PyTorch and ExecuTorch rock-paper-scissors,https://learn.arm.com/learning-paths/embedded-and-microcontrollers/training-inference-pytorch/,ML; Linux; tinyML; Computer Vision; Edge AI; CNN; PyTorch; ExecuTorch +Learning Paths,CC4.0,Learning Path - Build and run the Arm Machine Learning Evaluation Kit examples,https://learn.arm.com/learning-paths/embedded-and-microcontrollers/mlek/,ML; Baremetal; Arm Virtual Hardware; FVP; GCC; Arm Compiler for Embedded +Learning Paths,CC4.0,Learning Path - Create an Armv8-A embedded application,https://learn.arm.com/learning-paths/embedded-and-microcontrollers/bare-metal/,Performance and Architecture; Baremetal; Arm Development Studio; Arm Compiler for Embedded; Arm Fast Models +Learning Paths,CC4.0,Learning Path - Deploy firmware on hybrid edge systems using containers,https://learn.arm.com/learning-paths/embedded-and-microcontrollers/cloud-native-deployment-on-hybrid-edge-systems/,Containers and Virtualization; Linux; Docker; Arm Virtual Hardware; K3s; Containerd +Learning Paths,CC4.0,Learning Path - Get started with Arm Development Studio,https://learn.arm.com/learning-paths/embedded-and-microcontrollers/armds/,Performance and Architecture; Baremetal; Arm Development Studio; Arm Compiler for Embedded; Arm Fast Models; DSTREAM +Learning Paths,CC4.0,Learning Path - Get started with Keil MDK Code Coverage,https://learn.arm.com/learning-paths/embedded-and-microcontrollers/coverage_mdk/,Performance and Architecture; Baremetal; RTOS; Keil MDK; FVP +Learning Paths,CC4.0,Learning Path - Get Started with Keil Studio Cloud,https://learn.arm.com/learning-paths/embedded-and-microcontrollers/keilstudiocloud/,Virtual Hardware; Baremetal; RTOS; Keil Studio Cloud; Arm Compiler for Embedded; Arm Virtual Hardware; CMSIS +Learning Paths,CC4.0,Learning Path - Get started with Raspberry Pi Pico,https://learn.arm.com/learning-paths/embedded-and-microcontrollers/rpi_pico/,Performance and Architecture; Baremetal; Raspberry Pi +Learning Paths,CC4.0,Learning Path - Get started with TrustZone on NXP LPCXpresso55S69,https://learn.arm.com/learning-paths/embedded-and-microcontrollers/trustzone_nxp_lpc/,Security; Baremetal; TrustZone; Arm Compiler for Embedded; Keil MDK +Learning Paths,CC4.0,Learning Path - Get started with Yocto Linux on Qemu,https://learn.arm.com/learning-paths/embedded-and-microcontrollers/yocto_qemu/,Embedded Linux; Linux; Yocto Project; QEMU +Learning Paths,CC4.0,Learning Path - Learn about context switching on Arm Cortex-M processors,https://learn.arm.com/learning-paths/embedded-and-microcontrollers/context-switch-cortex-m/,Performance and Architecture; Baremetal; CMSIS; Arm Development Studio +Learning Paths,CC4.0,Learning Path - Prepare Docker image for Arm embedded development,https://learn.arm.com/learning-paths/embedded-and-microcontrollers/docker/,Containers and Virtualization; Baremetal; Docker; Arm Development Studio; Arm Compiler for Embedded; Arm Fast Models +Learning Paths,CC4.0,Learning Path - Convert uvprojx-based projects to csolution,https://learn.arm.com/learning-paths/embedded-and-microcontrollers/uvprojx-conversion/,Performance and Architecture; Windows; Linux; macOS; Keil MDK; CMSIS-Toolbox +Learning Paths,CC4.0,Learning Path - Getting started with CMSIS-DSP using Python,https://learn.arm.com/learning-paths/embedded-and-microcontrollers/cmsisdsp-dev-with-python/,Libraries; Linux; Windows; macOS; CMSIS-DSP; Python; C; Jupyter Notebook; NumPy +Learning Paths,CC4.0,Learning Path - Get started with the Raspberry Pi 4,https://learn.arm.com/learning-paths/embedded-and-microcontrollers/rpi/,Embedded Linux; Linux; Raspberry Pi; TensorFlow; Docker +Learning Paths,CC4.0,Learning Path - Add new debug targets to Arm Development Studio,https://learn.arm.com/learning-paths/embedded-and-microcontrollers/new_debug_targets_armds/,Performance and Architecture; Baremetal; Arm Development Studio; Arm Fast Models; DSTREAM +Learning Paths,CC4.0,Learning Path - Build embedded Linux applications on an Arm server,https://learn.arm.com/learning-paths/embedded-and-microcontrollers/rpi-mxnet/,Containers and Virtualization; Linux; Raspberry Pi; MXNet +Learning Paths,CC4.0,Learning Path - Implement an example Virtual Peripheral with Arm Virtual Hardware,https://learn.arm.com/learning-paths/embedded-and-microcontrollers/avh_vio/,Virtual Hardware; Baremetal; Arm Virtual Hardware +Learning Paths,CC4.0,Learning Path - Install tools on the command line using vcpkg,https://learn.arm.com/learning-paths/embedded-and-microcontrollers/vcpkg-tool-installation/,CI-CD; Linux; Windows; macOS; vcpkg +Learning Paths,CC4.0,Learning Path - Migrating CMSIS-Packs to CMSIS v6,https://learn.arm.com/learning-paths/embedded-and-microcontrollers/pack-migration-cmsis-v6/,Libraries; Baremetal; RTOS; CMSIS; CMSIS-Toolbox +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - .NET,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=.net,.NET; open-source; runtimes; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - 5G RAL (RAN Acceleration library),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=5g-ral-ran-acceleration-library,5G RAL (RAN Acceleration library); open-source; networking; networking +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - 7-zip,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=7-zip,7-zip; open-source; compression; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - AbySS,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=abyss,AbySS; open-source; hpc; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Accumulo,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=accumulo,Accumulo; open-source; databases-big-data; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - ACL,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=acl,ACL; open-source; networking; networking +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - ActiveMQ,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=activemq,ActiveMQ; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - AdoptOpenJDK,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=adoptopenjdk,AdoptOpenJDK; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Advanced Server Access server agent,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=advanced-server-access-server-agent,Advanced Server Access server agent; commercial; security-applications; security +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Aerospike,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=aerospike,Aerospike; open-source; databases-nosql; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Agent,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=agent,Agent; commercial; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Ajax.org Cloud9 Editor (ACE),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=ajax.org-cloud9-editor-ace,Ajax.org Cloud9 Editor (ACE); open-source; languages-and-frameworks; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Akka,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=akka,Akka; open-source; runtimes; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Albumentations,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=albumentations,Albumentations; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Alfresco Content Services,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=alfresco-content-services,Alfresco Content Services; open-source; content-mgmt-platforms; web +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Alluxio,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=alluxio,Alluxio; open-source; storage; storage +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Alma Linux,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=alma-linux,Alma Linux; open-source; operating-system; operating-systems +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Alpine Linux,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=alpine-linux,Alpine Linux; open-source; operating-system; operating-systems +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Altair Radioss,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=altair-radioss,Altair Radioss; commercial; hpc; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Amaranth HDA,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=amaranth-hda,Amaranth HDA; open-source; eda; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Amazon Elastic Kubernetes Service (EKS),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=amazon-elastic-kubernetes-service-eks,Amazon Elastic Kubernetes Service (EKS); commercial; containers-and-orchestration; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Ampere AI Text-to-SQL,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=ampere-ai-text-to-sql,Ampere AI Text-to-SQL; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Ampere Optimized Llama.cpp,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=ampere-optimized-llama.cpp,Ampere Optimized Llama.cpp; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Ampere Optimized Ollama,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=ampere-optimized-ollama,Ampere Optimized Ollama; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Ampere Optimized ONNX Runtime,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=ampere-optimized-onnx-runtime,Ampere Optimized ONNX Runtime; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Ampere Optimized PyTorch,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=ampere-optimized-pytorch,Ampere Optimized PyTorch; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Ampere Optimized TensorFlow,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=ampere-optimized-tensorflow,Ampere Optimized TensorFlow; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Anaconda,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=anaconda,Anaconda; commercial; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Anda,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=anda,Anda; open-source; compilers__tools; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Android-Cuttlefish,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=android-cuttlefish,Android-Cuttlefish; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Angular CLI,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=angular-cli,Angular CLI; open-source; languages-and-frameworks; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Anolis OS,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=anolis-os,Anolis OS; open-source; operating-system; operating-systems +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Ansible,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=ansible,Ansible; open-source; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Ansys Fluent,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=ansys-fluent,Ansys Fluent; commercial; hpc; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Ansys LS-DYNA,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=ansys-ls-dyna,Ansys LS-DYNA; commercial; hpc; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Ansys RedHawk-SC,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=ansys-redhawk-sc,Ansys RedHawk-SC; commercial; hpc; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Ant Media Server (Community Edition),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=ant-media-server-community-edition,Ant Media Server (Community Edition); open-source; video; media +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Antlr4,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=antlr4,Antlr4; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Anyscale Platform,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=anyscale-platform,Anyscale Platform; commercial; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Apache Airflow,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=apache-airflow,Apache Airflow; open-source; containers-and-orchestration; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Apache Ant,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=apache-ant,Apache Ant; open-source; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Apache Apisix,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=apache-apisix,Apache Apisix; open-source; web-server; web +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Apache Arrow,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=apache-arrow,Apache Arrow; open-source; data-format; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Apache Atlas,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=apache-atlas,Apache Atlas; open-source; databases-big-data; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Apache Camel K,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=apache-camel-k,Apache Camel K; open-source; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Apache CouchDB,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=apache-couchdb,Apache CouchDB; open-source; databases-nosql; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Apache Doris,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=apache-doris,Apache Doris; open-source; database; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Apache Drill,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=apache-drill,Apache Drill; open-source; databases-big-data; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Apache FreeMarker,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=apache-freemarker,Apache FreeMarker; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Apache Httpcomponents Client,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=apache-httpcomponents-client,Apache Httpcomponents Client; open-source; networking; networking +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Apache httpd,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=apache-httpd,Apache httpd; open-source; web-server; web +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Apache Knox,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=apache-knox,Apache Knox; open-source; databases-big-data; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Apache Kudu,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=apache-kudu,Apache Kudu; open-source; databases-big-data; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Apache NiFi,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=apache-nifi,Apache NiFi; open-source; messaging__comms; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Apache Portable Runtime (APR),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=apache-portable-runtime-apr,Apache Portable Runtime (APR); open-source; runtimes; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Apache Pulsar,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=apache-pulsar,Apache Pulsar; open-source; messaging__comms; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Apache Shiro,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=apache-shiro,Apache Shiro; open-source; security-applications; security +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Apache Thrift,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=apache-thrift,Apache Thrift; open-source; databases-big-data; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Apache Tomcat,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=apache-tomcat,Apache Tomcat; open-source; web-server; web +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Apache Velocity,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=apache-velocity,Apache Velocity; open-source; languages-and-frameworks; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - APM Agents (Python Agent),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=apm-agents-python-agent,APM Agents (Python Agent); commercial; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - AppDynamics APM Platform,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=appdynamics-apm-platform,AppDynamics APM Platform; commercial; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - AppDynamics Machine Agent,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=appdynamics-machine-agent,AppDynamics Machine Agent; commercial; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Aqua Cloud Native Security Platform,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=aqua-cloud-native-security-platform,Aqua Cloud Native Security Platform; commercial; security-applications; security +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - ArangoDB,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=arangodb,ArangoDB; open-source; database; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - ArangoDB Enterprise,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=arangodb-enterprise,ArangoDB Enterprise; commercial; database; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Archiconda3,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=archiconda3,Archiconda3; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Argo,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=argo,Argo; open-source; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Arthas,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=arthas,Arthas; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - ASP.NET,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=asp.net,ASP.NET; open-source; web-server; web +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Auditbeat,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=auditbeat,Auditbeat; open-source; security-applications; security +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Authzed/SpiceDB,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=authzed__spicedb,Authzed/SpiceDB; open-source; database; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Authzed/Zed,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=authzed__zed,Authzed/Zed; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Avahi,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=avahi,Avahi; open-source; networking; networking +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Aviatrix CoPilot,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=aviatrix-copilot,Aviatrix CoPilot; commercial; networking; networking +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Avro,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=avro,Avro; open-source; data-format; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - AvxToNeon,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=avxtoneon,AvxToNeon; open-source; hpc; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Azul Zing Builds of OpenJDK (Zing/Java),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=azul-zing-builds-of-openjdk-zing__java,Azul Zing Builds of OpenJDK (Zing/Java); commercial; runtimes; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Azul Zulu Builds of OpenJDK (Zulu/Java),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=azul-zulu-builds-of-openjdk-zulu__java,Azul Zulu Builds of OpenJDK (Zulu/Java); commercial; runtimes; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Azure Kubernetes Service (AKS),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=azure-kubernetes-service-aks,Azure Kubernetes Service (AKS); commercial; containers-and-orchestration; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Backstage,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=backstage,Backstage; open-source; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Bamtools,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=bamtools,Bamtools; open-source; data-format; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Barbican,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=barbican,Barbican; open-source; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Bazel,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=bazel,Bazel; open-source; compilers__tools; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Bcache,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=bcache,Bcache; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Bcrypt,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=bcrypt,Bcrypt; open-source; crypto; security +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Beanstalkd,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=beanstalkd,Beanstalkd; open-source; messaging__comms; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - BeeGFS,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=beegfs,BeeGFS; open-source; storage; storage +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Benchmark,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=benchmark,Benchmark; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - BenchmarkSQL,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=benchmarksql,BenchmarkSQL; open-source; database; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - BentoML,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=bentoml,BentoML; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Better Remote Procedure Call (BRPC),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=better-remote-procedure-call-brpc,Better Remote Procedure Call (BRPC); open-source; messaging__comms; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Better Stack Uptime,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=better-stack-uptime,Better Stack Uptime; commercial; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - BigFix,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=bigfix,BigFix; commercial; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Bioconda,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=bioconda,Bioconda; open-source; hpc; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - BiSheng JDK,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=bisheng-jdk,BiSheng JDK; open-source; runtimes; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Bison,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=bison,Bison; open-source; data-format; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Bitdefender,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=bitdefender,Bitdefender; commercial; security-applications; security +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Bitnami Containers,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=bitnami-containers,Bitnami Containers; commercial; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Bk-cmdb,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=bk-cmdb,Bk-cmdb; open-source; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Bloombase StoreSafe,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=bloombase-storesafe,Bloombase StoreSafe; commercial; security-applications; security +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Boost,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=boost,Boost; open-source; compilers__tools; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - BoringSSL,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=boringssl,BoringSSL; open-source; crypto; security +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - BOSH CLI,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=bosh-cli,BOSH CLI; open-source; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Brotli,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=brotli,Brotli; open-source; compression; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Buddy Works,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=buddy-works,Buddy Works; commercial; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Buildkite Agent,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=buildkite-agent,Buildkite Agent; open-source; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Buildkite CLI,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=buildkite-cli,Buildkite CLI; open-source; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Buildkite Elastic CI Stack for AWS,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=buildkite-elastic-ci-stack-for-aws,Buildkite Elastic CI Stack for AWS; open-source; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Buildpacks,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=buildpacks,Buildpacks; open-source; containers-and-orchestration; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Busybox,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=busybox,Busybox; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Bytebase,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=bytebase,Bytebase; open-source; database; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Caddy,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=caddy,Caddy; open-source; web-server; web +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Cadence Celsius Thermal Solver,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=cadence-celsius-thermal-solver,Cadence Celsius Thermal Solver; commercial; eda; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Cadence Certus Closure Solution,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=cadence-certus-closure-solution,Cadence Certus Closure Solution; commercial; eda; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Cadence EMX Designer,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=cadence-emx-designer,Cadence EMX Designer; commercial; eda; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Cadence Genus Synthesis Solution,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=cadence-genus-synthesis-solution,Cadence Genus Synthesis Solution; commercial; eda; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Cadence Helium Virtual and Hybrid Studio,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=cadence-helium-virtual-and-hybrid-studio,Cadence Helium Virtual and Hybrid Studio; commercial; eda; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Cadence Innovus Implementation System,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=cadence-innovus-implementation-system,Cadence Innovus Implementation System; commercial; eda; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Cadence Jasper Formal Verification Platform,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=cadence-jasper-formal-verification-platform,Cadence Jasper Formal Verification Platform; commercial; eda; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Cadence Joules RTL Design Studio,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=cadence-joules-rtl-design-studio,Cadence Joules RTL Design Studio; commercial; eda; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Cadence Liberate Trio Characterization Suite,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=cadence-liberate-trio-characterization-suite,Cadence Liberate Trio Characterization Suite; commercial; eda; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Cadence Pegasus Physical Verification System,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=cadence-pegasus-physical-verification-system,Cadence Pegasus Physical Verification System; commercial; eda; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Cadence Quantus Extraction Solution,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=cadence-quantus-extraction-solution,Cadence Quantus Extraction Solution; commercial; eda; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Cadence Spectre X Simulator,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=cadence-spectre-x-simulator,Cadence Spectre X Simulator; commercial; eda; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Cadence Tempus Timing Solution,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=cadence-tempus-timing-solution,Cadence Tempus Timing Solution; commercial; eda; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Cadence Voltus IC Power Integrity Solution,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=cadence-voltus-ic-power-integrity-solution,Cadence Voltus IC Power Integrity Solution; commercial; eda; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Cadence Xcelium Logic Simulation,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=cadence-xcelium-logic-simulation,Cadence Xcelium Logic Simulation; commercial; eda; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Cadvisor,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=cadvisor,Cadvisor; open-source; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Caffe,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=caffe,Caffe; open-source; languages-and-frameworks; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Calico,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=calico,Calico; open-source; containers-and-orchestration; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Canonical Anbox Cloud,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=canonical-anbox-cloud,Canonical Anbox Cloud; commercial; containers-and-orchestration; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Canonical Ceph,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=canonical-ceph,Canonical Ceph; commercial; storage; storage +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Canonical Dqlite,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=canonical-dqlite,Canonical Dqlite; open-source; database; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Canonical Kubernetes,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=canonical-kubernetes,Canonical Kubernetes; commercial; containers-and-orchestration; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Canonical Landscape,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=canonical-landscape,Canonical Landscape; commercial; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Canonical LXD,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=canonical-lxd,Canonical LXD; open-source; containers-and-orchestration; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Canonical MAAS (Metal as a Service),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=canonical-maas-metal-as-a-service,Canonical MAAS (Metal as a Service); open-source; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Canonical Microcloud,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=canonical-microcloud,Canonical Microcloud; open-source; containers-and-orchestration; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Canonical Multipass,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=canonical-multipass,Canonical Multipass; open-source; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Canonical Netplan,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=canonical-netplan,Canonical Netplan; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Canonical Openstack,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=canonical-openstack,Canonical Openstack; commercial; containers-and-orchestration; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Canonical Snapcraft,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=canonical-snapcraft,Canonical Snapcraft; open-source; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Canu,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=canu,Canu; open-source; hpc; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Cashpack,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=cashpack,Cashpack; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Cassandra,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=cassandra,Cassandra; open-source; databases-nosql; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - CatBoost,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=catboost,CatBoost; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Catj,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=catj,Catj; open-source; data-format; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Celery,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=celery,Celery; open-source; messaging__comms; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - CentOS,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=centos,CentOS; open-source; operating-system; operating-systems +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Ceph,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=ceph,Ceph; open-source; storage; storage +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Cert-manager,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=cert-manager,Cert-manager; open-source; security-applications; security +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - CFD Direct From the Cloud,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=cfd-direct-from-the-cloud,CFD Direct From the Cloud; commercial; hpc; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Chainguard Images,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=chainguard-images,Chainguard Images; commercial; containers-and-orchestration; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Chaos Mesh,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=chaos-mesh,Chaos Mesh; open-source; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Checkov,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=checkov,Checkov; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Chef Infra,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=chef-infra,Chef Infra; open-source; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Chef Infra Client,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=chef-infra-client,Chef Infra Client; commercial; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Chiaki-ng,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=chiaki-ng,Chiaki-ng; open-source; gaming; media +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Chisel-Operator,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=chisel-operator,Chisel-Operator; open-source; networking; networking +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Chiseled Ubuntu,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=chiseled-ubuntu,Chiseled Ubuntu; commercial; containers-and-orchestration; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Chroma,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=chroma,Chroma; open-source; database; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Chromium,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=chromium,Chromium; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Chronosphere Telemetry Pipeline,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=chronosphere-telemetry-pipeline,Chronosphere Telemetry Pipeline; commercial; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Cilium,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=cilium,Cilium; open-source; containers-and-orchestration; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Cinder,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=cinder,Cinder; open-source; database; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - CircleCI,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=circleci,CircleCI; commercial; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - CircleCI-CLI,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=circleci-cli,CircleCI-CLI; open-source; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - CIS Hardened Images,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=cis-hardened-images,CIS Hardened Images; commercial; security-applications; security +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Citrix Workspace for linux,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=citrix-workspace-for-linux,Citrix Workspace for linux; commercial; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - CJSON,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=cjson,CJSON; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Clang,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=clang,Clang; open-source; compilers__tools; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Clara-Viz,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=clara-viz,Clara-Viz; open-source; video; media +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - ClearML,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=clearml,ClearML; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - ClearML Enterprise,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=clearml-enterprise,ClearML Enterprise; commercial; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Clickhouse,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=clickhouse,Clickhouse; open-source; database; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Cloud Agent,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=cloud-agent,Cloud Agent; commercial; security-applications; security +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Cloud Custodian,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=cloud-custodian,Cloud Custodian; open-source; security-applications; security +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Cloud Foundry CLI,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=cloud-foundry-cli,Cloud Foundry CLI; open-source; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Cloud Hypervisor,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=cloud-hypervisor,Cloud Hypervisor; open-source; compilers__tools; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - CloudBees CI,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=cloudbees-ci,CloudBees CI; commercial; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - CloudBees Feature Management,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=cloudbees-feature-management,CloudBees Feature Management; commercial; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Cloudera Data Engineering,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=cloudera-data-engineering,Cloudera Data Engineering; commercial; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - CloudEvents-go,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=cloudevents-go,CloudEvents-go; open-source; messaging__comms; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - CloudEvents-java,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=cloudevents-java,CloudEvents-java; open-source; messaging__comms; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - CloudEvents-python,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=cloudevents-python,CloudEvents-python; open-source; messaging__comms; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Cloudflare,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=cloudflare,Cloudflare; open-source; networking; networking +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Cloudy Pad,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=cloudy-pad,Cloudy Pad; open-source; gaming; media +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - CMake,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=cmake,CMake; open-source; compilers__tools; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Cobbler,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=cobbler,Cobbler; open-source; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - CockroachDB,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=cockroachdb,CockroachDB; commercial; database; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Cocotb,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=cocotb,Cocotb; open-source; eda; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Collector (OpenTelemetry),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=collector-opentelemetry,Collector (OpenTelemetry); commercial; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Commvault,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=commvault,Commvault; commercial; storage; storage +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Computational Geometry Algorithms Library (CGAL),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=computational-geometry-algorithms-library-cgal,Computational Geometry Algorithms Library (CGAL); open-source; compilers__tools; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - COMSOL Multiphysics,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=comsol-multiphysics,COMSOL Multiphysics; commercial; hpc; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Conda,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=conda,Conda; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Confluence,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=confluence,Confluence; commercial; content-mgmt-platforms; web +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Confluent Cloud,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=confluent-cloud,Confluent Cloud; commercial; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Confluent Platform,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=confluent-platform,Confluent Platform; commercial; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Consul,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=consul,Consul; commercial; containers-and-orchestration; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Container Network Interface,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=container-network-interface,Container Network Interface; open-source; networking; networking +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Containerd,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=containerd,Containerd; open-source; runtimes; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Contour,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=contour,Contour; open-source; service-mesh; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - CoreDNS,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=coredns,CoreDNS; open-source; networking; networking +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Corosync,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=corosync,Corosync; open-source; networking; networking +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Cortex,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=cortex,Cortex; open-source; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Couchbase,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=couchbase,Couchbase; open-source; databases-nosql; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - CP2K,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=cp2k,CP2K; open-source; hpc; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - CRI-O,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=cri-o,CRI-O; open-source; containers-and-orchestration; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Cribl LogStream,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=cribl-logstream,Cribl LogStream; commercial; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Crossplane,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=crossplane,Crossplane; open-source; containers-and-orchestration; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Crystal Language,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=crystal-language,Crystal Language; open-source; languages-and-frameworks; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - CubeFS,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=cubefs,CubeFS; open-source; containers-and-orchestration; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - CuCIM,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=cucim,CuCIM; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - CUDA Core Compute Libraries (CCCL),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=cuda-core-compute-libraries-cccl,CUDA Core Compute Libraries (CCCL); open-source; compilers__tools; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - CUDA-GDB,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=cuda-gdb,CUDA-GDB; open-source; compilers__tools; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - CUDA-Python,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=cuda-python,CUDA-Python; open-source; languages-and-frameworks; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - CUDA-Q,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=cuda-q,CUDA-Q; open-source; hpc; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - CUDA-QX,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=cuda-qx,CUDA-QX; open-source; hpc; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - CuDF,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=cudf,CuDF; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - CuDNN FrontEnd (FE),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=cudnn-frontend-fe,CuDNN FrontEnd (FE); open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - CuGraph,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=cugraph,CuGraph; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Cuml,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=cuml,Cuml; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - CuOpt,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=cuopt,CuOpt; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - CuPy,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=cupy,CuPy; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Curl,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=curl,Curl; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Curve,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=curve,Curve; open-source; storage; storage +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - CuTile Python,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=cutile-python,CuTile Python; open-source; languages-and-frameworks; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - CUTLASS,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=cutlass,CUTLASS; open-source; hpc; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - CuVS,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=cuvs,CuVS; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - CV-CUDA,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=cv-cuda,CV-CUDA; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Dapr,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=dapr,Dapr; open-source; languages-and-frameworks; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Dapr (Serverless),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=dapr-serverless,Dapr (Serverless); open-source; languages-and-frameworks; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Dask-CUDA,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=dask-cuda,Dask-CUDA; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Data Model (DM),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=data-model-dm,Data Model (DM); open-source; database; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Data-Lakehouse,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=data-lakehouse,Data-Lakehouse; commercial; database; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Databend,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=databend,Databend; open-source; database; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Databricks Data Intelligence Platform,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=databricks-data-intelligence-platform,Databricks Data Intelligence Platform; commercial; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Datadog Agent,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=datadog-agent,Datadog Agent; commercial; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Datree,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=datree,Datree; open-source; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Dav1d,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=dav1d,Dav1d; open-source; video; media +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Daytona,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=daytona,Daytona; open-source; containers-and-orchestration; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Debian,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=debian,Debian; open-source; operating-system; operating-systems +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Debian ELTS (Extended Long Term Support),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=debian-elts-extended-long-term-support,Debian ELTS (Extended Long Term Support); open-source; operating-system; operating-systems +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Deep Security Agent,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=deep-security-agent,Deep Security Agent; commercial; security-applications; security +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - DeepSparse,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=deepsparse,DeepSparse; commercial; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - DeepSpeed,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=deepspeed,DeepSpeed; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - DeepstreamIO,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=deepstreamio,DeepstreamIO; open-source; messaging__comms; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - DeepTools,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=deeptools,DeepTools; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - DentOS,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=dentos,DentOS; open-source; networking; networking +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Devtron,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=devtron,Devtron; open-source; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Dgraph,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=dgraph,Dgraph; commercial; database; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Dgraph Labs,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=dgraph-labs,Dgraph Labs; open-source; databases-nosql; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - DHCP (Dynamic Host Configuration Protocol),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=dhcp-dynamic-host-configuration-protocol,DHCP (Dynamic Host Configuration Protocol); open-source; networking; networking +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Dify,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=dify,Dify; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Disconf,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=disconf,Disconf; open-source; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Distributed Replicated Block Device (DRBD),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=distributed-replicated-block-device-drbd,Distributed Replicated Block Device (DRBD); open-source; storage; storage +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Distribution Registry,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=distribution-registry,Distribution Registry; open-source; containers-and-orchestration; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Django,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=django,Django; open-source; languages-and-frameworks; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Dnsmasq,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=dnsmasq,Dnsmasq; open-source; networking; networking +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Docker,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=docker,Docker; open-source; containers-and-orchestration; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Docker CE,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=docker-ce,Docker CE; open-source; containers-and-orchestration; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Docker-Compose,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=docker-compose,Docker-Compose; open-source; containers-and-orchestration; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - DolphinScheduler,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=dolphinscheduler,DolphinScheduler; open-source; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Domo-java-sdk,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=domo-java-sdk,Domo-java-sdk; open-source; languages-and-frameworks; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Domo-node-sdk,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=domo-node-sdk,Domo-node-sdk; open-source; languages-and-frameworks; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Domo-Python-Sdk (pydomo),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=domo-python-sdk-pydomo,Domo-Python-Sdk (pydomo); open-source; languages-and-frameworks; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Double-conversion,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=double-conversion,Double-conversion; open-source; data-format; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - DPDK,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=dpdk,DPDK; open-source; networking; networking +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Dragonfly,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=dragonfly,Dragonfly; open-source; containers-and-orchestration; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Dragonflydb (Dragonfly),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=dragonflydb-dragonfly,Dragonflydb (Dragonfly); open-source; database; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Drone CI,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=drone-ci,Drone CI; open-source; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Drone-cli,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=drone-cli,Drone-cli; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Druid,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=druid,Druid; open-source; databases-big-data; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Drupal,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=drupal,Drupal; open-source; content-mgmt-platforms; web +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Dubbo-go,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=dubbo-go,Dubbo-go; open-source; languages-and-frameworks; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Dubbo-java,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=dubbo-java,Dubbo-java; open-source; languages-and-frameworks; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - DVC (Data Version Control),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=dvc-data-version-control,DVC (Data Version Control); open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - DynamoRio,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=dynamorio,DynamoRio; open-source; runtimes; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Dynatrace OneAgent,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=dynatrace-oneagent,Dynatrace OneAgent; commercial; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Dynatrace-Operator (Dynatrace),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=dynatrace-operator-dynatrace,Dynatrace-Operator (Dynatrace); open-source; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Eclipse Temurin (Eclipse Adoptium),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=eclipse-temurin-eclipse-adoptium,Eclipse Temurin (Eclipse Adoptium); open-source; runtimes; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Eigen,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=eigen,Eigen; open-source; languages-and-frameworks; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Elastic Agent,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=elastic-agent,Elastic Agent; open-source; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Elastic APM Python Agent,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=elastic-apm-python-agent,Elastic APM Python Agent; open-source; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Elastic APM Server,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=elastic-apm-server,Elastic APM Server; open-source; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Elastic CI Stack for AWS Buildkite,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=elastic-ci-stack-for-aws-buildkite,Elastic CI Stack for AWS Buildkite; commercial; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Elastic Cloud Control (ecctl),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=elastic-cloud-control-ecctl,Elastic Cloud Control (ecctl); open-source; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Elastic Cloud Enterprise,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=elastic-cloud-enterprise,Elastic Cloud Enterprise; commercial; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Elastic Connector,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=elastic-connector,Elastic Connector; open-source; data-format; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Elastic Defend,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=elastic-defend,Elastic Defend; open-source; security-applications; security +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Elastic Distribution of OpenTelemetry (EDOT) .NET SDK,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=elastic-distribution-of-opentelemetry-edot-.net-sdk,Elastic Distribution of OpenTelemetry (EDOT) .NET SDK; open-source; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Elastic Distribution of OpenTelemetry (EDOT) Collector,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=elastic-distribution-of-opentelemetry-edot-collector,Elastic Distribution of OpenTelemetry (EDOT) Collector; open-source; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Elastic eBPF,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=elastic-ebpf,Elastic eBPF; open-source; security-applications; security +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Elastic Enterprise Search,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=elastic-enterprise-search,Elastic Enterprise Search; open-source; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Elastic Fleet Server,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=elastic-fleet-server,Elastic Fleet Server; open-source; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Elastic Mockopampserver,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=elastic-mockopampserver,Elastic Mockopampserver; open-source; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Elastic Mockotlpserver,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=elastic-mockotlpserver,Elastic Mockotlpserver; open-source; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Elastic Open Web Crawler,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=elastic-open-web-crawler,Elastic Open Web Crawler; open-source; content-mgmt-platforms; web +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Elastic Quark,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=elastic-quark,Elastic Quark; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Elastic-Package,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=elastic-package,Elastic-Package; open-source; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Elasticsearch,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=elasticsearch,Elasticsearch; commercial; databases-nosql; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Electron,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=electron,Electron; open-source; languages-and-frameworks; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Elemental Operator – Developed by Rancher (now part of SUSE),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=elemental-operator-developed-by-rancher-now-part-of-suse,Elemental Operator – Developed by Rancher (now part of SUSE); open-source; operating-system; operating-systems +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Elemental Toolkit – Developed by Rancher (now part of SUSE),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=elemental-toolkit-developed-by-rancher-now-part-of-suse,Elemental Toolkit – Developed by Rancher (now part of SUSE); open-source; operating-system; operating-systems +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - EMQTT (Erlang Message Queue Telemetry Transport),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=emqtt-erlang-message-queue-telemetry-transport,EMQTT (Erlang Message Queue Telemetry Transport); open-source; messaging__comms; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - EMQX (open source),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=emqx-open-source,EMQX (open source); open-source; messaging__comms; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - ENCA (Extremely Naive Charset Analyser),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=enca-extremely-naive-charset-analyser,ENCA (Extremely Naive Charset Analyser); open-source; compilers__tools; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - EnCase Endpoint Investigator,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=encase-endpoint-investigator,EnCase Endpoint Investigator; commercial; security-applications; security +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Enigma.js,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=enigma.js,Enigma.js; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Enterprise Universal Forwarder,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=enterprise-universal-forwarder,Enterprise Universal Forwarder; commercial; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Envoy,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=envoy,Envoy; open-source; containers-and-orchestration; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Epinio (a SUSE project),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=epinio-a-suse-project,Epinio (a SUSE project); open-source; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Erlang,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=erlang,Erlang; open-source; languages-and-frameworks; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Etcd,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=etcd,Etcd; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Evalml,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=evalml,Evalml; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Exceed-TurboX,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=exceed-turbox,Exceed-TurboX; commercial; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Exechealthz,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=exechealthz,Exechealthz; open-source; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Expat,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=expat,Expat; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Extended Python Debugger (EPDB),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=extended-python-debugger-epdb,Extended Python Debugger (EPDB); open-source; compilers__tools; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Falco,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=falco,Falco; open-source; security-applications; security +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Falcon,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=falcon,Falcon; commercial; security-applications; security +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Fast Light ToolKit (FLTK),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=fast-light-toolkit-fltk,Fast Light ToolKit (FLTK); open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - FastDFS,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=fastdfs,FastDFS; open-source; storage; storage +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Fastly Next-Gen WAF,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=fastly-next-gen-waf,Fastly Next-Gen WAF; commercial; security-applications; security +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Feast,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=feast,Feast; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Featuretools,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=featuretools,Featuretools; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Fedora,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=fedora,Fedora; open-source; operating-system; operating-systems +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - FFmpeg,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=ffmpeg,FFmpeg; open-source; video; media +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - FFTW (Fastest Fourier Transform in the West),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=fftw-fastest-fourier-transform-in-the-west,FFTW (Fastest Fourier Transform in the West); open-source; hpc; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - FIGlet,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=figlet,FIGlet; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - FigTree,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=figtree,FigTree; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Filebeat,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=filebeat,Filebeat; open-source; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Fio,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=fio,Fio; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Firecracker,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=firecracker,Firecracker; open-source; containers-and-orchestration; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Flannel,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=flannel,Flannel; open-source; containers-and-orchestration; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Flask,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=flask,Flask; open-source; languages-and-frameworks; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - FlatBuffers,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=flatbuffers,FlatBuffers; open-source; data-format; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Flatcar Container Linux,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=flatcar-container-linux,Flatcar Container Linux; commercial; containers-and-orchestration; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Fleet – Developed by Rancher (now part of SUSE),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=fleet-developed-by-rancher-now-part-of-suse,Fleet – Developed by Rancher (now part of SUSE); open-source; containers-and-orchestration; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Flex,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=flex,Flex; open-source; compilers__tools; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Flink,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=flink,Flink; open-source; databases-big-data; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Fluentd,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=fluentd,Fluentd; open-source; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Flume,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=flume,Flume; open-source; databases-big-data; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Flux,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=flux,Flux; open-source; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Flyte,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=flyte,Flyte; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Fmt,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=fmt,Fmt; open-source; languages-and-frameworks; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Font Awesome,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=font-awesome,Font Awesome; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - FortiGate VM,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=fortigate-vm,FortiGate VM; commercial; operating-system; operating-systems +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Fping,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=fping,Fping; open-source; networking; networking +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - FreeBSD,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=freebsd,FreeBSD; open-source; operating-system; operating-systems +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - FreeCAD,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=freecad,FreeCAD; open-source; eda; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Freedesktop-SDK,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=freedesktop-sdk,Freedesktop-SDK; open-source; operating-system; operating-systems +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - FreeGLUT,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=freeglut,FreeGLUT; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Freeimage,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=freeimage,Freeimage; open-source; gaming; media +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - FreeType,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=freetype,FreeType; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Freetype2,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=freetype2,Freetype2; open-source; gaming; media +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Functionbeat,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=functionbeat,Functionbeat; open-source; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Ganglia monitor,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=ganglia-monitor,Ganglia monitor; open-source; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Garden Linux,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=garden-linux,Garden Linux; open-source; operating-system; operating-systems +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Garden Linux NVIDIA Installer,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=garden-linux-nvidia-installer,Garden Linux NVIDIA Installer; open-source; containers-and-orchestration; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Garden-runC Release,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=garden-runc-release,Garden-runC Release; open-source; containers-and-orchestration; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Gardener,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=gardener,Gardener; open-source; containers-and-orchestration; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Gardener Machine Controller Manager (MCM),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=gardener-machine-controller-manager-mcm,Gardener Machine Controller Manager (MCM); open-source; containers-and-orchestration; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Gatsby (React),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=gatsby-react,Gatsby (React); open-source; languages-and-frameworks; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - GDRCopy,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=gdrcopy,GDRCopy; open-source; hpc; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - GDSFactory,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=gdsfactory,GDSFactory; open-source; eda; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Gdspy,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=gdspy,Gdspy; open-source; eda; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - gEDA,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=geda,gEDA; open-source; eda; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Gem5,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=gem5,Gem5; open-source; eda; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Gentoo,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=gentoo,Gentoo; commercial; operating-system; operating-systems +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Genymotion Cloud,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=genymotion-cloud,Genymotion Cloud; commercial; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - GEOS,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=geos,GEOS; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - GeoServer,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=geoserver,GeoServer; open-source; web-server; web +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Geospatial Data Abstraction Library (GDAL),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=geospatial-data-abstraction-library-gdal,Geospatial Data Abstraction Library (GDAL); open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Gerbv,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=gerbv,Gerbv; open-source; eda; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Gerrit,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=gerrit,Gerrit; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - GHDL,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=ghdl,GHDL; open-source; eda; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Git,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=git,Git; open-source; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - GitBook,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=gitbook,GitBook; open-source; content-mgmt-platforms; web +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - GitHub Actions Runner - Hosted,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=github-actions-runner-hosted,GitHub Actions Runner - Hosted; commercial; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - GitHub Actions Runner - Self-hosted,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=github-actions-runner-self-hosted,GitHub Actions Runner - Self-hosted; commercial; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - GitLab,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=gitlab,GitLab; open-source; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - GitLab Runner,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=gitlab-runner,GitLab Runner; commercial; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Gitness,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=gitness,Gitness; open-source; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Glance,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=glance,Glance; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Glew,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=glew,Glew; open-source; compilers__tools; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - glibc,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=glibc,glibc; open-source; compilers__tools; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - GlusterFS,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=glusterfs,GlusterFS; open-source; storage; storage +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Gluten,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=gluten,Gluten; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - GNU Debugger (GDB),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=gnu-debugger-gdb,GNU Debugger (GDB); open-source; compilers__tools; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - GNU Multiple Precision Arithmetic Library (GMP),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=gnu-multiple-precision-arithmetic-library-gmp,GNU Multiple Precision Arithmetic Library (GMP); open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - GNU Toolchain (GCC),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=gnu-toolchain-gcc,GNU Toolchain (GCC); open-source; compilers__tools; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Gnucap,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=gnucap,Gnucap; open-source; eda; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - GnuTLS,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=gnutls,GnuTLS; open-source; security-applications; security +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Godot,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=godot,Godot; open-source; gaming; media +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Golang,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=golang,Golang; open-source; languages-and-frameworks; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Google Kubernetes Engine (GKE),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=google-kubernetes-engine-gke,Google Kubernetes Engine (GKE); commercial; containers-and-orchestration; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Google Logging (glog),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=google-logging-glog,Google Logging (glog); open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Google-Test,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=google-test,Google-Test; open-source; compilers__tools; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - GPERF,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=gperf,GPERF; open-source; compilers__tools; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - gPerftools,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=gperftools,gPerftools; open-source; compilers__tools; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Gradle,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=gradle,Gradle; open-source; compilers__tools; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Grafana,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=grafana,Grafana; open-source; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Grafana Enterprise,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=grafana-enterprise,Grafana Enterprise; commercial; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Grafanalib,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=grafanalib,Grafanalib; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - GreenplumPython,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=greenplumpython,GreenplumPython; open-source; database; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Groff,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=groff,Groff; open-source; compilers__tools; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Gromacs,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=gromacs,Gromacs; open-source; hpc; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Groovy/Grails,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=groovy__grails,Groovy/Grails; open-source; languages-and-frameworks; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - gRPC,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=grpc,gRPC; open-source; messaging__comms; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - gRPC-java,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=grpc-java,gRPC-java; open-source; messaging__comms; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - GTKWave,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=gtkwave,GTKWave; open-source; eda; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Guacamole,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=guacamole,Guacamole; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Gunicorn,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=gunicorn,Gunicorn; open-source; web-server; web +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - GVisor,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=gvisor,GVisor; open-source; containers-and-orchestration; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Gzip,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=gzip,Gzip; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - H2,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=h2,H2; open-source; database; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Hadoop,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=hadoop,Hadoop; open-source; databases-big-data; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Haproxy,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=haproxy,Haproxy; open-source; web-server; web +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - HAProxy Enterprise,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=haproxy-enterprise,HAProxy Enterprise; commercial; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Harbor,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=harbor,Harbor; open-source; containers-and-orchestration; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Hardware Abstraction Layer (HAL),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=hardware-abstraction-layer-hal,Hardware Abstraction Layer (HAL); open-source; operating-system; operating-systems +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Harness,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=harness,Harness; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Harness CD and GitOps,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=harness-cd-and-gitops,Harness CD and GitOps; commercial; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Harness Chaos Engineering,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=harness-chaos-engineering,Harness Chaos Engineering; commercial; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Harness CI,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=harness-ci,Harness CI; commercial; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Harness Feature Flags,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=harness-feature-flags,Harness Feature Flags; commercial; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Harness Security Test Orchestration,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=harness-security-test-orchestration,Harness Security Test Orchestration; commercial; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Harness-cli,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=harness-cli,Harness-cli; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Harness-go-sdk,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=harness-go-sdk,Harness-go-sdk; open-source; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,"Ecosystem Dashboard - Harvester (Integrated with Rancher, Powered by SUSE)",https://www.arm.com/developer-hub/ecosystem-dashboard/?package=harvester-integrated-with-rancher-powered-by-suse,"Harvester (Integrated with Rancher, Powered by SUSE); open-source; containers-and-orchestration; cloud-native" +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Haskell.nix,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=haskell.nix,Haskell.nix; open-source; compilers__tools; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Hawking,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=hawking,Hawking; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Haystack,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=haystack,Haystack; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Hazelcast,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=hazelcast,Hazelcast; open-source; databases-big-data; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Hazelcast Platform,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=hazelcast-platform,Hazelcast Platform; commercial; storage; storage +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Hbase,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=hbase,Hbase; open-source; databases-big-data; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - HDFS,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=hdfs,HDFS; open-source; databases-big-data; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Heartbeat,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=heartbeat,Heartbeat; open-source; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Heimdall Proxy Enterprise Edition,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=heimdall-proxy-enterprise-edition,Heimdall Proxy Enterprise Edition; commercial; database; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Heketi,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=heketi,Heketi; open-source; storage; storage +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Helm,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=helm,Helm; open-source; containers-and-orchestration; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Highwayhash,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=highwayhash,Highwayhash; open-source; crypto; security +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Hiredis,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=hiredis,Hiredis; open-source; database; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Hive,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=hive,Hive; open-source; databases-big-data; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - HMMER,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=hmmer,HMMER; open-source; hpc; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Holoscan SDK,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=holoscan-sdk,Holoscan SDK; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Honeytail agent,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=honeytail-agent,Honeytail agent; commercial; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Horizon EDA,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=horizon-eda,Horizon EDA; open-source; eda; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Horovod (Uber),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=horovod-uber,Horovod (Uber); open-source; languages-and-frameworks; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Hping3,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=hping3,Hping3; open-source; networking; networking +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Htop,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=htop,Htop; open-source; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Hue,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=hue,Hue; open-source; content-mgmt-platforms; web +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - IBM MQ Service,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=ibm-mq-service,IBM MQ Service; commercial; messaging__comms; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Icarus Verilog,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=icarus-verilog,Icarus Verilog; open-source; eda; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Ignite,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=ignite,Ignite; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Ignite UI,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=ignite-ui,Ignite UI; open-source; languages-and-frameworks; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Impala,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=impala,Impala; open-source; databases-big-data; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - in-toto,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=in-toto,in-toto; open-source; security-applications; security +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Indigo,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=indigo,Indigo; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - InfluxDB,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=influxdb,InfluxDB; open-source; database; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - InfluxDB Enterprise,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=influxdb-enterprise,InfluxDB Enterprise; commercial; database; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Infracost,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=infracost,Infracost; commercial; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Infrastructure Agent,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=infrastructure-agent,Infrastructure Agent; commercial; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - IniParser,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=iniparser,IniParser; open-source; compilers__tools; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Insight agent,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=insight-agent,Insight agent; commercial; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - InsightVM,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=insightvm,InsightVM; commercial; security-applications; security +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - International Components for Unicode (ICU),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=international-components-for-unicode-icu,International Components for Unicode (ICU); open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Iotop,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=iotop,Iotop; open-source; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Iperf,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=iperf,Iperf; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Ipvsadm,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=ipvsadm,Ipvsadm; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - IRIS,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=iris,IRIS; commercial; database; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Ironic,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=ironic,Ironic; open-source; containers-and-orchestration; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - IRSIM,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=irsim,IRSIM; open-source; eda; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - ISA-L (Intelligent Storage Acceleration Library),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=isa-l-intelligent-storage-acceleration-library,ISA-L (Intelligent Storage Acceleration Library); open-source; storage; storage +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Istio,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=istio,Istio; open-source; containers-and-orchestration; cloud-native +Ecosystem Dashboard,Arm Proprietary,"Ecosystem Dashboard - ITP (The Interpolate, Truncate, Project)",https://www.arm.com/developer-hub/ecosystem-dashboard/?package=itp-the-interpolate-truncate-project,"ITP (The Interpolate, Truncate, Project); open-source; hpc; hpc__eda" +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Jaeger,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=jaeger,Jaeger; open-source; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - JanusGraph,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=janusgraph,JanusGraph; open-source; databases-big-data; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Java/OpenJDK,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=java__openjdk,Java/OpenJDK; open-source; runtimes; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - JAX,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=jax,JAX; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Jemalloc,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=jemalloc,Jemalloc; open-source; data-format; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Jenkins,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=jenkins,Jenkins; open-source; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Jetty,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=jetty,Jetty; open-source; web-server; web +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - JFrog Artifactory,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=jfrog-artifactory,JFrog Artifactory; commercial; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - JFrog Distribution,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=jfrog-distribution,JFrog Distribution; commercial; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - JFrog Insight,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=jfrog-insight,JFrog Insight; commercial; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - JFrog Xray,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=jfrog-xray,JFrog Xray; commercial; security-applications; security +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Jitsi,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=jitsi,Jitsi; open-source; messaging__comms; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - JMeter,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=jmeter,JMeter; open-source; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Joomla,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=joomla,Joomla; open-source; content-mgmt-platforms; web +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Journalbeat,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=journalbeat,Journalbeat; open-source; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Juju,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=juju,Juju; open-source; containers-and-orchestration; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Julia,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=julia,Julia; open-source; languages-and-frameworks; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Junit5,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=junit5,Junit5; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - K3os,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=k3os,K3os; open-source; operating-system; operating-systems +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - K3s - Developed by Rancher (now part of SUSE),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=k3s-developed-by-rancher-now-part-of-suse,K3s - Developed by Rancher (now part of SUSE); open-source; containers-and-orchestration; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - KAEzip,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=kaezip,KAEzip; open-source; compression; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Kafka,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=kafka,Kafka; open-source; databases-nosql; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Kafkacat (Kcat),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=kafkacat-kcat,Kafkacat (Kcat); open-source; messaging__comms; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Kangas,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=kangas,Kangas; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Karmada,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=karmada,Karmada; open-source; containers-and-orchestration; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - KasmVNC,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=kasmvnc,KasmVNC; open-source; gaming; media +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Kata,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=kata,Kata; open-source; containers-and-orchestration; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Katsu,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=katsu,Katsu; open-source; hpc; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Keda,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=keda,Keda; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Keepalived,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=keepalived,Keepalived; open-source; networking; networking +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Keptn,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=keptn,Keptn; open-source; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Keras,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=keras,Keras; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - KernelCare,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=kernelcare,KernelCare; commercial; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Kettle,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=kettle,Kettle; open-source; data-format; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Keycloak,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=keycloak,Keycloak; open-source; security-applications; security +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - KeyDB,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=keydb,KeyDB; open-source; databases-nosql; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Keystone,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=keystone,Keystone; open-source; crypto; security +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Kibana,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=kibana,Kibana; commercial; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Kicad,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=kicad,Kicad; open-source; eda; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Klayout,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=klayout,Klayout; open-source; eda; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Kmerfreq,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=kmerfreq,Kmerfreq; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Knative,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=knative,Knative; open-source; containers-and-orchestration; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - KoBERT (SK Telecom),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=kobert-sk-telecom,KoBERT (SK Telecom); open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Kolla,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=kolla,Kolla; open-source; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Kong Gateway,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=kong-gateway,Kong Gateway; commercial; networking; networking +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Krb5,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=krb5,Krb5; open-source; security-applications; security +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Kube-bench,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=kube-bench,Kube-bench; open-source; security-applications; security +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Kube-Router,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=kube-router,Kube-Router; open-source; networking; networking +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - KubeEdge,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=kubeedge,KubeEdge; open-source; containers-and-orchestration; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Kubeflow,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=kubeflow,Kubeflow; open-source; containers-and-orchestration; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Kubermatic KubeOne,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=kubermatic-kubeone,Kubermatic KubeOne; commercial; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Kubermatic Kubernetes Platform,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=kubermatic-kubernetes-platform,Kubermatic Kubernetes Platform; commercial; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Kubernetes,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=kubernetes,Kubernetes; open-source; containers-and-orchestration; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Kubernetes Manager,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=kubernetes-manager,Kubernetes Manager; commercial; containers-and-orchestration; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - KubeVela,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=kubevela,KubeVela; open-source; containers-and-orchestration; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - KubeVirt,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=kubevirt,KubeVirt; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Kubewarden-Controller,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=kubewarden-controller,Kubewarden-Controller; open-source; containers-and-orchestration; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Kubewarden/audit-scanner - Developed by Rancher (now part of SUSE),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=kubewarden__audit-scanner-developed-by-rancher-now-part-of-suse,Kubewarden/audit-scanner - Developed by Rancher (now part of SUSE); open-source; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Kubewarden/Kwctl,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=kubewarden__kwctl,Kubewarden/Kwctl; open-source; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Kubewarden/policy-server - Developed by Rancher (now part of SUSE),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=kubewarden__policy-server-developed-by-rancher-now-part-of-suse,Kubewarden/policy-server - Developed by Rancher (now part of SUSE); open-source; containers-and-orchestration; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Kunpeng Acceleration Engine (KAE),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=kunpeng-acceleration-engine-kae,Kunpeng Acceleration Engine (KAE); open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - KVM,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=kvm,KVM; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Kylin,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=kylin,Kylin; open-source; databases-big-data; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Kyuubi,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=kyuubi,Kyuubi; open-source; containers-and-orchestration; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Kyverno,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=kyverno,Kyverno; open-source; security-applications; security +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Lachesis,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=lachesis,Lachesis; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - LAMMPS (Large-scale Atomic/Molecular Massively Parallel Simulator),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=lammps-large-scale-atomic__molecular-massively-parallel-simulator,LAMMPS (Large-scale Atomic/Molecular Massively Parallel Simulator); open-source; hpc; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - LandingLens,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=landinglens,LandingLens; commercial; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - LangChain,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=langchain,LangChain; open-source; languages-and-frameworks; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Langflow,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=langflow,Langflow; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - LAPACK (Linear Algebra PACKage),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=lapack-linear-algebra-package,LAPACK (Linear Algebra PACKage); open-source; hpc; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Latent AI Efficient Inference Platform (LEIP),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=latent-ai-efficient-inference-platform-leip,Latent AI Efficient Inference Platform (LEIP); commercial; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Lepton-EDA,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=lepton-eda,Lepton-EDA; open-source; eda; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - LevelDB,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=leveldb,LevelDB; open-source; databases-nosql; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Libaom,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=libaom,Libaom; open-source; video; media +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Libconfig,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=libconfig,Libconfig; open-source; languages-and-frameworks; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - LibDRM,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=libdrm,LibDRM; open-source; operating-system; operating-systems +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Libev,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=libev,Libev; open-source; languages-and-frameworks; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Libevent,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=libevent,Libevent; open-source; networking; networking +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Libfastcommon,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=libfastcommon,Libfastcommon; open-source; compilers__tools; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Libgav1,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=libgav1,Libgav1; open-source; video; media +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Libhelium,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=libhelium,Libhelium; open-source; languages-and-frameworks; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Libjpeg-turbo,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=libjpeg-turbo,Libjpeg-turbo; open-source; video; media +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Libmpc,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=libmpc,Libmpc; open-source; compilers__tools; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Libopus,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=libopus,Libopus; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - LibOQS,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=liboqs,LibOQS; open-source; crypto; security +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Libpcap,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=libpcap,Libpcap; open-source; networking; networking +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - LibreCAD,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=librecad,LibreCAD; open-source; eda; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - LibreOffice,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=libreoffice,LibreOffice; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - LibrePCB,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=librepcb,LibrePCB; open-source; eda; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Libunwind,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=libunwind,Libunwind; open-source; compilers__tools; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Libuv,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=libuv,Libuv; open-source; runtimes; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Libvirt,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=libvirt,Libvirt; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Libvpx,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=libvpx,Libvpx; open-source; video; media +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - libx264,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=libx264,libx264; open-source; video; media +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - libx265,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=libx265,libx265; open-source; video; media +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Libxcb,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=libxcb,Libxcb; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - LibXext,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=libxext,LibXext; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Libxml2,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=libxml2,Libxml2; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - LifeRay CLI,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=liferay-cli,LifeRay CLI; open-source; content-mgmt-platforms; web +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - LightGBM,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=lightgbm,LightGBM; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Lighttpd,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=lighttpd,Lighttpd; open-source; web-server; web +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Lima,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=lima,Lima; open-source; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Lime,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=lime,Lime; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Linkerd,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=linkerd,Linkerd; open-source; service-mesh; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Linstor-server,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=linstor-server,Linstor-server; open-source; storage; storage +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Linux Agent,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=linux-agent,Linux Agent; commercial; security-applications; security +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Linuxkit,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=linuxkit,Linuxkit; open-source; operating-system; operating-systems +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - LiteSpeed Web Server,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=litespeed-web-server,LiteSpeed Web Server; commercial; web-server; web +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Litex,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=litex,Litex; open-source; eda; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Litmus,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=litmus,Litmus; open-source; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Live Syncing Daemon(Lsyncd),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=live-syncing-daemonlsyncd,Live Syncing Daemon(Lsyncd); open-source; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - LLama-Index,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=llama-index,LLama-Index; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - LlamaIndex Core,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=llamaindex-core,LlamaIndex Core; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - llm-d,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=llm-d,llm-d; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - LLVM Flang,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=llvm-flang,LLVM Flang; open-source; compilers__tools; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - LLVM Toolchain,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=llvm-toolchain,LLVM Toolchain; open-source; compilers__tools; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - LMbench,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=lmbench,LMbench; open-source; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Log4cplus,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=log4cplus,Log4cplus; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Log4cpp,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=log4cpp,Log4cpp; open-source; languages-and-frameworks; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - LogicMonitor,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=logicmonitor,LogicMonitor; commercial; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Logstash,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=logstash,Logstash; open-source; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Logzio-agent-manifest,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=logzio-agent-manifest,Logzio-agent-manifest; open-source; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,"Ecosystem Dashboard - Longhorn (Developed by Rancher, now an incubating project of CNCF)",https://www.arm.com/developer-hub/ecosystem-dashboard/?package=longhorn-developed-by-rancher-now-an-incubating-project-of-cncf,"Longhorn (Developed by Rancher, now an incubating project of CNCF); open-source; storage; storage" +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Lua,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=lua,Lua; open-source; languages-and-frameworks; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - LuaJIT,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=luajit,LuaJIT; open-source; compilers__tools; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Lucene,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=lucene,Lucene; open-source; databases-nosql; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - LXCFS,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=lxcfs,LXCFS; open-source; containers-and-orchestration; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Lz4,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=lz4,Lz4; open-source; compression; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Lzip,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=lzip,Lzip; open-source; storage; storage +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - LZO (Lempel-Ziv-Oberhumer),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=lzo-lempel-ziv-oberhumer,LZO (Lempel-Ziv-Oberhumer); open-source; data-format; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - M4,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=m4,M4; open-source; compilers__tools; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - MACS2,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=macs2,MACS2; open-source; hpc; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Madoguchi,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=madoguchi,Madoguchi; open-source; web-server; web +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Magento,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=magento,Magento; open-source; e-commerce-platforms; web +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Magic,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=magic,Magic; open-source; eda; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - ManipulaPy,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=manipulapy,ManipulaPy; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - MariaDB,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=mariadb,MariaDB; open-source; database; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Mattermost,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=mattermost,Mattermost; open-source; messaging__comms; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Maven,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=maven,Maven; open-source; compilers__tools; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Mayastor,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=mayastor,Mayastor; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - MediaMTX,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=mediamtx,MediaMTX; open-source; video; media +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - MediaWiki,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=mediawiki,MediaWiki; open-source; content-mgmt-platforms; web +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Memcached,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=memcached,Memcached; open-source; databases-nosql; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Memtester,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=memtester,Memtester; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Mesa,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=mesa,Mesa; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Mesh,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=mesh,Mesh; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Mesos,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=mesos,Mesos; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Metaflow,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=metaflow,Metaflow; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Metricbeat,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=metricbeat,Metricbeat; open-source; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Mezmo,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=mezmo,Mezmo; open-source; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - MicroK8s,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=microk8s,MicroK8s; open-source; containers-and-orchestration; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Microsoft Azure CLI,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=microsoft-azure-cli,Microsoft Azure CLI; open-source; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Microsoft Azure Connected Machine agent,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=microsoft-azure-connected-machine-agent,Microsoft Azure Connected Machine agent; commercial; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Microsoft Azure IOT Edge,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=microsoft-azure-iot-edge,Microsoft Azure IOT Edge; commercial; containers-and-orchestration; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Microsoft Azure Linux,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=microsoft-azure-linux,Microsoft Azure Linux; open-source; operating-system; operating-systems +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Microsoft Azure Monitor Agent,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=microsoft-azure-monitor-agent,Microsoft Azure Monitor Agent; commercial; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Microsoft Azure Virtual Machines (VMs),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=microsoft-azure-virtual-machines-vms,Microsoft Azure Virtual Machines (VMs); commercial; containers-and-orchestration; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Microsoft Blobfuse2,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=microsoft-blobfuse2,Microsoft Blobfuse2; open-source; storage; storage +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Microsoft build of OpenJDK,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=microsoft-build-of-openjdk,Microsoft build of OpenJDK; open-source; runtimes; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Microsoft Defender for Endpoint on Linux,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=microsoft-defender-for-endpoint-on-linux,Microsoft Defender for Endpoint on Linux; commercial; security-applications; security +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Microsoft ML.NET,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=microsoft-ml.net,Microsoft ML.NET; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Microsoft MsQuic,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=microsoft-msquic,Microsoft MsQuic; open-source; networking; networking +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Microsoft Playwright,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=microsoft-playwright,Microsoft Playwright; open-source; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Microsoft Vcpkg,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=microsoft-vcpkg,Microsoft Vcpkg; open-source; compilers__tools; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Microsoft WSL 2 (Windows Subsystem for Linux 2),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=microsoft-wsl-2-windows-subsystem-for-linux-2,Microsoft WSL 2 (Windows Subsystem for Linux 2); open-source; operating-system; operating-systems +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Migen,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=migen,Migen; open-source; eda; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Milvus,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=milvus,Milvus; open-source; data-format; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Mindspore,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=mindspore,Mindspore; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Miniasm,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=miniasm,Miniasm; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Miniforge,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=miniforge,Miniforge; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Minikube,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=minikube,Minikube; open-source; containers-and-orchestration; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Minimap2,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=minimap2,Minimap2; open-source; hpc; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - MinIO,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=minio,MinIO; commercial; storage; storage +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - MinIO OS,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=minio-os,MinIO OS; open-source; storage; storage +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Minio-mc,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=minio-mc,Minio-mc; open-source; storage; storage +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - MLflow,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=mlflow,MLflow; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - MLRun,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=mlrun,MLRun; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Modular Accelerated Xecution (MAX),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=modular-accelerated-xecution-max,Modular Accelerated Xecution (MAX); commercial; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Mojo,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=mojo,Mojo; open-source; languages-and-frameworks; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - MongoDB,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=mongodb,MongoDB; open-source; databases-nosql; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - MongoDB C Driver,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=mongodb-c-driver,MongoDB C Driver; open-source; databases-nosql; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - MongoDB Enterprise Server,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=mongodb-enterprise-server,MongoDB Enterprise Server; commercial; database; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Mongoose,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=mongoose,Mongoose; open-source; databases-nosql; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Monkey,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=monkey,Monkey; open-source; web-server; web +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - MooseFS,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=moosefs,MooseFS; open-source; storage; storage +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - MOPAC (Molecular Orbital PACkage),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=mopac-molecular-orbital-package,MOPAC (Molecular Orbital PACkage); open-source; hpc; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Mosquitto,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=mosquitto,Mosquitto; open-source; messaging__comms; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - MPFR,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=mpfr,MPFR; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Mummer,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=mummer,Mummer; open-source; hpc; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - MUNGE,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=munge,MUNGE; open-source; security-applications; security +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - MurmurHash,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=murmurhash,MurmurHash; open-source; storage; storage +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Muscle,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=muscle,Muscle; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Musl,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=musl,Musl; open-source; runtimes; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - MyHDL,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=myhdl,MyHDL; open-source; eda; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - MySQL,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=mysql,MySQL; open-source; database; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Nacos,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=nacos,Nacos; open-source; service-mesh; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Nagios Core,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=nagios-core,Nagios Core; open-source; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - NATS,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=nats,NATS; open-source; messaging__comms; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Nebula Graph,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=nebula-graph,Nebula Graph; open-source; databases-big-data; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Neo4j,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=neo4j,Neo4j; open-source; databases-nosql; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Neo4j Graph Database,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=neo4j-graph-database,Neo4j Graph Database; commercial; database; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - NeoNephos Katalis OPG EWBI Operator,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=neonephos-katalis-opg-ewbi-operator,NeoNephos Katalis OPG EWBI Operator; open-source; containers-and-orchestration; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Nessus,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=nessus,Nessus; commercial; security-applications; security +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - NetBSD,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=netbsd,NetBSD; open-source; operating-system; operating-systems +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - NetCDF,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=netcdf,NetCDF; open-source; storage; storage +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Netdata,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=netdata,Netdata; open-source; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Netdata Cloud,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=netdata-cloud,Netdata Cloud; commercial; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Nettle,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=nettle,Nettle; open-source; crypto; security +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Netty,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=netty,Netty; open-source; languages-and-frameworks; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Network Mapper (Nmap),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=network-mapper-nmap,Network Mapper (Nmap); open-source; security-applications; security +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Neural Modules (Nemo),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=neural-modules-nemo,Neural Modules (Nemo); open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - NeuralForecast,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=neuralforecast,NeuralForecast; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Neutron,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=neutron,Neutron; open-source; networking; networking +Ecosystem Dashboard,Arm Proprietary,"Ecosystem Dashboard - NeuVector (Originated by Rancher, now under SUSE)",https://www.arm.com/developer-hub/ecosystem-dashboard/?package=neuvector-originated-by-rancher-now-under-suse,"NeuVector (Originated by Rancher, now under SUSE); open-source; security-applications; security" +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - New Relic,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=new-relic,New Relic; open-source; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Next.js,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=next.js,Next.js; open-source; languages-and-frameworks; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Nextflow,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=nextflow,Nextflow; open-source; hpc; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - nf-core,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=nf-core,nf-core; open-source; hpc; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - NFS (Network File System),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=nfs-network-file-system,NFS (Network File System); open-source; networking; networking +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - NGINX,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=nginx,NGINX; open-source; web-server; web +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - NGINX Plus,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=nginx-plus,NGINX Plus; commercial; networking; networking +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Ngspice,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=ngspice,Ngspice; open-source; eda; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Nmon,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=nmon,Nmon; open-source; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Node.js,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=node.js,Node.js; open-source; runtimes; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Nomad,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=nomad,Nomad; open-source; containers-and-orchestration; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Nomad Enterprise,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=nomad-enterprise,Nomad Enterprise; commercial; containers-and-orchestration; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Notary,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=notary,Notary; open-source; security-applications; security +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Nova,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=nova,Nova; open-source; containers-and-orchestration; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - NPM (Node Package Manager),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=npm-node-package-manager,NPM (Node Package Manager); open-source; compilers__tools; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - NSQ,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=nsq,NSQ; open-source; messaging__comms; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Nuclio,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=nuclio,Nuclio; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Numpy,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=numpy,Numpy; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Nutanix Amazon-vpc-cni-k8s,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=nutanix-amazon-vpc-cni-k8s,Nutanix Amazon-vpc-cni-k8s; open-source; networking; networking +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - NVIDIA BioNeMo-Framework,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=nvidia-bionemo-framework,NVIDIA BioNeMo-Framework; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - NVIDIA Cloud Native Stack,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=nvidia-cloud-native-stack,NVIDIA Cloud Native Stack; open-source; containers-and-orchestration; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - NVIDIA Container Toolkit,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=nvidia-container-toolkit,NVIDIA Container Toolkit; open-source; containers-and-orchestration; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - NVIDIA DALI,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=nvidia-dali,NVIDIA DALI; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - NVIDIA DCGM,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=nvidia-dcgm,NVIDIA DCGM; open-source; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - NVIDIA DCGM Exporter,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=nvidia-dcgm-exporter,NVIDIA DCGM Exporter; open-source; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - NVIDIA Enroot,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=nvidia-enroot,NVIDIA Enroot; open-source; containers-and-orchestration; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - NVIDIA GPU Driver Container,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=nvidia-gpu-driver-container,NVIDIA GPU Driver Container; open-source; containers-and-orchestration; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - NVIDIA GPU Operator,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=nvidia-gpu-operator,NVIDIA GPU Operator; open-source; containers-and-orchestration; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - NVIDIA K8s-device-plugin,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=nvidia-k8s-device-plugin,NVIDIA K8s-device-plugin; open-source; containers-and-orchestration; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - NVIDIA MDL-SDK,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=nvidia-mdl-sdk,NVIDIA MDL-SDK; open-source; languages-and-frameworks; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - NVIDIA Megatron-Core,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=nvidia-megatron-core,NVIDIA Megatron-Core; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - NVIDIA MIG-Parted,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=nvidia-mig-parted,NVIDIA MIG-Parted; open-source; hpc; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - NVIDIA NeMo Agent Toolkit,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=nvidia-nemo-agent-toolkit,NVIDIA NeMo Agent Toolkit; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - NVIDIA PhysicsNeMo,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=nvidia-physicsnemo,NVIDIA PhysicsNeMo; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - NVIDIA Resiliency Extension,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=nvidia-resiliency-extension,NVIDIA Resiliency Extension; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - NVIDIA Spark-Rapids,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=nvidia-spark-rapids,NVIDIA Spark-Rapids; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - NvImageCodec,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=nvimagecodec,NvImageCodec; open-source; video; media +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - NVSentinel,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=nvsentinel,NVSentinel; open-source; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - NVSHMEM,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=nvshmem,NVSHMEM; open-source; hpc; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Nwchem,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=nwchem,Nwchem; open-source; hpc; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Nx-cugraph,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=nx-cugraph,Nx-cugraph; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - OCaml,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=ocaml,OCaml; open-source; languages-and-frameworks; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - OceanBase,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=oceanbase,OceanBase; open-source; database; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Octopus Tentacle,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=octopus-tentacle,Octopus Tentacle; commercial; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Ollama,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=ollama,Ollama; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - OneDNN,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=onednn,OneDNN; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - OneTbb,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=onetbb,OneTbb; open-source; compilers__tools; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Open Build Service (OpenSUSE),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=open-build-service-opensuse,Open Build Service (OpenSUSE); open-source; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Open CAS,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=open-cas,Open CAS; open-source; storage; storage +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Open Component Model (OCM),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=open-component-model-ocm,Open Component Model (OCM); open-source; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Open Free Fiasco Firmware Flasher (0xFFFF),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=open-free-fiasco-firmware-flasher-0xffff,Open Free Fiasco Firmware Flasher (0xFFFF); open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Open Neural Network Exchange (ONNX),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=open-neural-network-exchange-onnx,Open Neural Network Exchange (ONNX); open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Open Policy Agent,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=open-policy-agent,Open Policy Agent; open-source; security-applications; security +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Open Resource Discovery Provider Server,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=open-resource-discovery-provider-server,Open Resource Discovery Provider Server; open-source; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Open vSwitch (OVS),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=open-vswitch-ovs,Open vSwitch (OVS); open-source; networking; networking +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Open WebUI,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=open-webui,Open WebUI; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Open-falcon,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=open-falcon,Open-falcon; open-source; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - OpenBLAS,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=openblas,OpenBLAS; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - OpenCart,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=opencart,OpenCart; open-source; e-commerce-platforms; web +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - OpenCASCADE,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=opencascade,OpenCASCADE; open-source; compilers__tools; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - OpenCV,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=opencv,OpenCV; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - OpenDataPlane (ODP),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=opendataplane-odp,OpenDataPlane (ODP); open-source; networking; networking +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - OpenEBS,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=openebs,OpenEBS; open-source; storage; storage +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - OpenEmbedded (Yocto),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=openembedded-yocto,OpenEmbedded (Yocto); open-source; languages-and-frameworks; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - OpenEuler,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=openeuler,OpenEuler; open-source; operating-system; operating-systems +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - OpenFeature Go-SDK,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=openfeature-go-sdk,OpenFeature Go-SDK; open-source; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - OpenFeature Java-SDK,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=openfeature-java-sdk,OpenFeature Java-SDK; open-source; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - OpenFeature Python-SDK,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=openfeature-python-sdk,OpenFeature Python-SDK; open-source; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - OpenFOAM,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=openfoam,OpenFOAM; open-source; hpc; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - OpenFPGALoader,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=openfpgaloader,OpenFPGALoader; open-source; eda; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - OpenGauss,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=opengauss,OpenGauss; open-source; database; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - OpenH264,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=openh264,OpenH264; open-source; video; media +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - OpenHPC,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=openhpc,OpenHPC; open-source; hpc; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - OpenJ9,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=openj9,OpenJ9; open-source; compilers__tools; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - OpenKruise,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=openkruise,OpenKruise; open-source; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - OpenLane,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=openlane,OpenLane; open-source; eda; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - OpenLDAP,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=openldap,OpenLDAP; open-source; networking; networking +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Openlitespeed (LiteSpeed Web Server),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=openlitespeed-litespeed-web-server,Openlitespeed (LiteSpeed Web Server); open-source; web-server; web +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Openmetrics,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=openmetrics,Openmetrics; open-source; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - OpenMPI,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=openmpi,OpenMPI; open-source; hpc; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - OpenNOW,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=opennow,OpenNOW; open-source; gaming; media +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - OpenResty,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=openresty,OpenResty; open-source; web-server; web +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - OpenSceneGraph,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=openscenegraph,OpenSceneGraph; open-source; languages-and-frameworks; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Opensearch,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=opensearch,Opensearch; open-source; databases-nosql; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - OpenSearch Benchmark,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=opensearch-benchmark,OpenSearch Benchmark; open-source; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - OpenSearch CLI,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=opensearch-cli,OpenSearch CLI; open-source; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Opensearch Dashboard,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=opensearch-dashboard,Opensearch Dashboard; open-source; content-mgmt-platforms; web +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - OpenSearch Data Prepper,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=opensearch-data-prepper,OpenSearch Data Prepper; open-source; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - OpenShift,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=openshift,OpenShift; open-source; containers-and-orchestration; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - OpenSSH,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=openssh,OpenSSH; open-source; networking; networking +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - OpenSSL,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=openssl,OpenSSL; open-source; crypto; security +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Openstack Masakari,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=openstack-masakari,Openstack Masakari; open-source; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - OpenSUSE Leap,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=opensuse-leap,OpenSUSE Leap; open-source; operating-system; operating-systems +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - OpenSUSE Tumbleweed,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=opensuse-tumbleweed,OpenSUSE Tumbleweed; open-source; operating-system; operating-systems +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Opentelemetry-cpp,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=opentelemetry-cpp,Opentelemetry-cpp; open-source; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - opentelemetry-go,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=opentelemetry-go,opentelemetry-go; open-source; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - opentelemetry-python,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=opentelemetry-python,opentelemetry-python; open-source; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - OpenUCX (Unified Communication X),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=openucx-unified-communication-x,OpenUCX (Unified Communication X); open-source; networking; networking +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - OpenVVC,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=openvvc,OpenVVC; open-source; video; media +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - OpenZFS,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=openzfs,OpenZFS; open-source; storage; storage +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - operator-framework,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=operator-framework,operator-framework; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - OptiPNG,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=optipng,OptiPNG; open-source; video; media +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Optuna,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=optuna,Optuna; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Oracle Cloud Infrastructure,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=oracle-cloud-infrastructure,Oracle Cloud Infrastructure; commercial; containers-and-orchestration; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Oracle Database,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=oracle-database,Oracle Database; commercial; database; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Oracle Instant Client,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=oracle-instant-client,Oracle Instant Client; commercial; database; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Oregano,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=oregano,Oregano; open-source; eda; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - OrientDB,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=orientdb,OrientDB; open-source; databases-nosql; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Orionsdk-python,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=orionsdk-python,Orionsdk-python; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Ory CORP - CLI,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=ory-corp-cli,Ory CORP - CLI; open-source; security-applications; security +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - OSMO,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=osmo,OSMO; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - OVirt,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=ovirt,OVirt; open-source; containers-and-orchestration; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Owncast,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=owncast,Owncast; open-source; video; media +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Pachyderm,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=pachyderm,Pachyderm; commercial; containers-and-orchestration; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Packer,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=packer,Packer; commercial; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Packetbeat,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=packetbeat,Packetbeat; open-source; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Paddle-Lite,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=paddle-lite,Paddle-Lite; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - PagerDuty Operations Cloud,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=pagerduty-operations-cloud,PagerDuty Operations Cloud; commercial; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Pandas,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=pandas,Pandas; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Pants,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=pants,Pants; open-source; compilers__tools; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - ParaView,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=paraview,ParaView; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Parquet,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=parquet,Parquet; open-source; data-format; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - PCB-RND,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=pcb-rnd,PCB-RND; open-source; eda; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Percona Server for MYSQL,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=percona-server-for-mysql,Percona Server for MYSQL; open-source; database; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - perf,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=perf,perf; open-source; compilers__tools; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Perl,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=perl,Perl; open-source; languages-and-frameworks; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Perl Compatible Regular Expressions (PCRE),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=perl-compatible-regular-expressions-pcre,Perl Compatible Regular Expressions (PCRE); open-source; languages-and-frameworks; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Phoronix Test Suite,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=phoronix-test-suite,Phoronix Test Suite; open-source; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - PHP,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=php,PHP; open-source; languages-and-frameworks; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Picasso.js,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=picasso.js,Picasso.js; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Pigz,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=pigz,Pigz; open-source; compression; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Pilon,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=pilon,Pilon; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Pinot,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=pinot,Pinot; open-source; databases-big-data; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Playit,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=playit,Playit; open-source; gaming; media +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Plink,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=plink,Plink; open-source; hpc; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - PMDK (Persistent Memory Development Kit),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=pmdk-persistent-memory-development-kit,PMDK (Persistent Memory Development Kit); open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - PopIns2,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=popins2,PopIns2; open-source; hpc; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Porting Advisor,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=porting-advisor,Porting Advisor; open-source; hpc; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - PostGIS,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=postgis,PostGIS; open-source; database; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Postgres,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=postgres,Postgres; open-source; database; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Postman,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=postman,Postman; open-source; content-mgmt-platforms; web +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - PowerShell,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=powershell,PowerShell; open-source; languages-and-frameworks; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Predixy,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=predixy,Predixy; open-source; networking; networking +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Presto,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=presto,Presto; open-source; databases-big-data; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - PrimeLib,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=primelib,PrimeLib; commercial; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Prisma Cloud,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=prisma-cloud,Prisma Cloud; commercial; security-applications; security +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - PROJ,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=proj,PROJ; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Prometheus,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=prometheus,Prometheus; open-source; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Prometheus AlertManager,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=prometheus-alertmanager,Prometheus AlertManager; open-source; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Prophet,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=prophet,Prophet; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Protobuf,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=protobuf,Protobuf; open-source; data-format; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - PSMC (Pairwise Sequentially Markovian Coalescent),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=psmc-pairwise-sequentially-markovian-coalescent,PSMC (Pairwise Sequentially Markovian Coalescent); open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Psutil,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=psutil,Psutil; open-source; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Pulumi,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=pulumi,Pulumi; open-source; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Puppet,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=puppet,Puppet; open-source; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Puppet Enterprise,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=puppet-enterprise,Puppet Enterprise; commercial; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Py3c,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=py3c,Py3c; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - PyCaret,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=pycaret,PyCaret; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - PyInstaller,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=pyinstaller,PyInstaller; open-source; compilers__tools; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - PySpice,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=pyspice,PySpice; open-source; eda; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Python,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=python,Python; open-source; languages-and-frameworks; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Python-DLPy,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=python-dlpy,Python-DLPy; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Python-Swat,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=python-swat,Python-Swat; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Python-Xmlsec,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=python-xmlsec,Python-Xmlsec; open-source; crypto; security +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - PyTorch,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=pytorch,PyTorch; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - PyZMQ,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=pyzmq,PyZMQ; open-source; messaging__comms; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Qdrant,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=qdrant,Qdrant; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - QEMU,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=qemu,QEMU; open-source; compilers__tools; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Qflow,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=qflow,Qflow; open-source; eda; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Qperf,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=qperf,Qperf; open-source; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Qrouter,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=qrouter,Qrouter; open-source; eda; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Qshell (Qiniu),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=qshell-qiniu,Qshell (Qiniu); open-source; storage; storage +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Qt,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=qt,Qt; open-source; languages-and-frameworks; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Qualys Container Security,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=qualys-container-security,Qualys Container Security; commercial; containers-and-orchestration; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Quartz,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=quartz,Quartz; open-source; messaging__comms; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Questa advanced simulator,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=questa-advanced-simulator,Questa advanced simulator; commercial; hpc; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Questa One Sim,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=questa-one-sim,Questa One Sim; commercial; eda; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Quilt,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=quilt,Quilt; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - R,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=r,R; open-source; languages-and-frameworks; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - RabbitMQ,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=rabbitmq,RabbitMQ; open-source; messaging__comms; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - RAFT,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=raft,RAFT; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - RAGflow,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=ragflow,RAGflow; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Ramalama,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=ramalama,Ramalama; open-source; containers-and-orchestration; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Rancher (acquired by SUSE),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=rancher-acquired-by-suse,Rancher (acquired by SUSE); open-source; containers-and-orchestration; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Rancher Kubernetes Engine (RKE),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=rancher-kubernetes-engine-rke,Rancher Kubernetes Engine (RKE); open-source; containers-and-orchestration; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Rancher Kubernetes Engine 2 (RKE2),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=rancher-kubernetes-engine-2-rke2,Rancher Kubernetes Engine 2 (RKE2); open-source; containers-and-orchestration; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Ranger,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=ranger,Ranger; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - RAPIDS Memory Manager (RMM),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=rapids-memory-manager-rmm,RAPIDS Memory Manager (RMM); open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Rav1e,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=rav1e,Rav1e; open-source; video; media +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - RAxML (Randomized Axelerated Maximum Likelihood),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=raxml-randomized-axelerated-maximum-likelihood,RAxML (Randomized Axelerated Maximum Likelihood); open-source; data-format; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Ray,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=ray,Ray; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - RE2,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=re2,RE2; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Re2c,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=re2c,Re2c; open-source; compilers__tools; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Red Hat Advanced Cluster Management for Kubernetes,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=red-hat-advanced-cluster-management-for-kubernetes,Red Hat Advanced Cluster Management for Kubernetes; commercial; containers-and-orchestration; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Red Hat Advanced Cluster Security for Kubernetes,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=red-hat-advanced-cluster-security-for-kubernetes,Red Hat Advanced Cluster Security for Kubernetes; commercial; security-applications; security +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Red Hat AMQ Broker,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=red-hat-amq-broker,Red Hat AMQ Broker; commercial; messaging__comms; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Red Hat Ansible Automation Platform,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=red-hat-ansible-automation-platform,Red Hat Ansible Automation Platform; commercial; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Red Hat Ceph Storage,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=red-hat-ceph-storage,Red Hat Ceph Storage; commercial; storage; storage +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Red Hat Data Grid,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=red-hat-data-grid,Red Hat Data Grid; commercial; databases-nosql; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Red Hat Device Edge,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=red-hat-device-edge,Red Hat Device Edge; commercial; containers-and-orchestration; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Red Hat Enterprise Linux,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=red-hat-enterprise-linux,Red Hat Enterprise Linux; commercial; operating-system; operating-systems +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Red Hat Insights,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=red-hat-insights,Red Hat Insights; commercial; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Red Hat JBoss Web Server,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=red-hat-jboss-web-server,Red Hat JBoss Web Server; commercial; web-server; web +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Red Hat Openshift,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=red-hat-openshift,Red Hat Openshift; commercial; containers-and-orchestration; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Red Hat OpenShift Container Platform,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=red-hat-openshift-container-platform,Red Hat OpenShift Container Platform; commercial; containers-and-orchestration; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Red Hat Satellite,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=red-hat-satellite,Red Hat Satellite; commercial; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Red Hat Service Interconnect,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=red-hat-service-interconnect,Red Hat Service Interconnect; commercial; service-mesh; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Redis,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=redis,Redis; open-source; databases-nosql; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Redis Enterprise,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=redis-enterprise,Redis Enterprise; commercial; databases-nosql; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Redpanda Data,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=redpanda-data,Redpanda Data; open-source; databases-nosql; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Redundans,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=redundans,Redundans; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Relic,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=relic,Relic; open-source; crypto; security +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Relion,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=relion,Relion; open-source; hpc; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - RepeatAfterMe,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=repeatafterme,RepeatAfterMe; open-source; hpc; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - RepeatMasker,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=repeatmasker,RepeatMasker; open-source; hpc; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - RepeatScout,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=repeatscout,RepeatScout; open-source; hpc; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Rescale,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=rescale,Rescale; commercial; hpc; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Restreamer,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=restreamer,Restreamer; open-source; video; media +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - RethinkDB,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=rethinkdb,RethinkDB; open-source; databases-nosql; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Reveal.js,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=reveal.js,Reveal.js; open-source; content-mgmt-platforms; web +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Rinetd,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=rinetd,Rinetd; open-source; networking; networking +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Ringdove EDA,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=ringdove-eda,Ringdove EDA; open-source; eda; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - RMBlast,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=rmblast,RMBlast; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - RoaringBitmap,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=roaringbitmap,RoaringBitmap; open-source; compression; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Robot Framework,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=robot-framework,Robot Framework; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - RocketMQ,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=rocketmq,RocketMQ; open-source; messaging__comms; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - RocksDB,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=rocksdb,RocksDB; open-source; database; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - RocksDBjni,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=rocksdbjni,RocksDBjni; open-source; database; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Rocky Linux,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=rocky-linux,Rocky Linux; open-source; operating-system; operating-systems +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Rook,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=rook,Rook; open-source; containers-and-orchestration; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Rqlite,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=rqlite,Rqlite; open-source; database; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Ruby,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=ruby,Ruby; open-source; languages-and-frameworks; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Ruby/Rails,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=ruby__rails,Ruby/Rails; open-source; languages-and-frameworks; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Rundeck,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=rundeck,Rundeck; open-source; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Rust,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=rust,Rust; open-source; languages-and-frameworks; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Safeguard Authentication Services,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=safeguard-authentication-services,Safeguard Authentication Services; commercial; security-applications; security +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Salmon,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=salmon,Salmon; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Salt,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=salt,Salt; open-source; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Samba,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=samba,Samba; open-source; networking; networking +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - SAP HANA,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=sap-hana,SAP HANA; commercial; database; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - SAS_Kernel,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=sas_kernel,SAS_Kernel; open-source; operating-system; operating-systems +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Saspy,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=saspy,Saspy; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Scala,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=scala,Scala; open-source; languages-and-frameworks; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Scikit-learn,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=scikit-learn,Scikit-learn; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Scipy,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=scipy,Scipy; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - ScyllaDB Enterprise,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=scylladb-enterprise,ScyllaDB Enterprise; commercial; databases-nosql; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Seastar,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=seastar,Seastar; open-source; databases-nosql; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Seata,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=seata,Seata; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Self-hosted Runner (CircleCI),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=self-hosted-runner-circleci,Self-hosted Runner (CircleCI); commercial; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Sendbird UIKit,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=sendbird-uikit,Sendbird UIKit; open-source; messaging__comms; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Senna.js,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=senna.js,Senna.js; open-source; languages-and-frameworks; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Sensu,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=sensu,Sensu; open-source; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Sentieon,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=sentieon,Sentieon; commercial; hpc; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Sentry-Go,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=sentry-go,Sentry-Go; open-source; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Sentry-JavaScript,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=sentry-javascript,Sentry-JavaScript; open-source; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Sentry-Python,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=sentry-python,Sentry-Python; open-source; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Seqera Platform,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=seqera-platform,Seqera Platform; commercial; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - SHAP,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=shap,SHAP; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Shiny,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=shiny,Shiny; open-source; languages-and-frameworks; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Shopify,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=shopify,Shopify; open-source; e-commerce-platforms; web +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Siemens Simcenter STAR-CCM+,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=siemens-simcenter-star-ccm+,Siemens Simcenter STAR-CCM+; commercial; hpc; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - SignalFX-Agent,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=signalfx-agent,SignalFX-Agent; open-source; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - SigNoz,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=signoz,SigNoz; open-source; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Simform,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=simform,Simform; commercial; web-server; web +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Simple Real-time Server (SRS),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=simple-real-time-server-srs,Simple Real-time Server (SRS); open-source; video; media +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Singularity XDR,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=singularity-xdr,Singularity XDR; commercial; security-applications; security +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Slang,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=slang,Slang; open-source; eda; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Slurm,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=slurm,Slurm; open-source; hpc; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Smcpp,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=smcpp,Smcpp; open-source; hpc; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Snappy,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=snappy,Snappy; open-source; compression; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Snappy-Java,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=snappy-java,Snappy-Java; open-source; compression; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Snort,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=snort,Snort; open-source; security-applications; security +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Snowflake ODBC,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=snowflake-odbc,Snowflake ODBC; commercial; databases-big-data; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Snyk Container,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=snyk-container,Snyk Container; commercial; security-applications; security +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Solido Variation Designer,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=solido-variation-designer,Solido Variation Designer; commercial; eda; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Solr,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=solr,Solr; open-source; content-mgmt-platforms; web +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - SonarQube Server,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=sonarqube-server,SonarQube Server; open-source; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - SONIC,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=sonic,SONIC; open-source; networking; networking +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Sophos Linux Sensor,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=sophos-linux-sensor,Sophos Linux Sensor; commercial; security-applications; security +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Sophos Protection for Linux,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=sophos-protection-for-linux,Sophos Protection for Linux; commercial; security-applications; security +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Sourcefuse,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=sourcefuse,Sourcefuse; commercial; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Spack,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=spack,Spack; open-source; hpc; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - spaCy,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=spacy,spaCy; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Spark,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=spark,Spark; open-source; databases-big-data; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Spark-Sql-Kinesis,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=spark-sql-kinesis,Spark-Sql-Kinesis; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - SPDK,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=spdk,SPDK; open-source; storage; storage +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Spdlog,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=spdlog,Spdlog; open-source; compilers__tools; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Sphinx,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=sphinx,Sphinx; open-source; languages-and-frameworks; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - SPICE OPUS,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=spice-opus,SPICE OPUS; open-source; eda; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Spinnaker CLI (Spin),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=spinnaker-cli-spin,Spinnaker CLI (Spin); open-source; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - SPIRE,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=spire,SPIRE; open-source; security-applications; security +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Split (Python SDK) Client,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=split-python-sdk-client,Split (Python SDK) Client; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Split-evaluator,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=split-evaluator,Split-evaluator; open-source; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Splunk Cloud Platform,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=splunk-cloud-platform,Splunk Cloud Platform; commercial; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Spring Boot,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=spring-boot,Spring Boot; open-source; runtimes; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Spring Cloud Config,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=spring-cloud-config,Spring Cloud Config; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Spring Cloud Function,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=spring-cloud-function,Spring Cloud Function; open-source; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Spring Cloud Gateway,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=spring-cloud-gateway,Spring Cloud Gateway; open-source; networking; networking +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Spring Cloud Netflix,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=spring-cloud-netflix,Spring Cloud Netflix; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Spring Cloud OpenFeign,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=spring-cloud-openfeign,Spring Cloud OpenFeign; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Spring Cloud Sleuth,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=spring-cloud-sleuth,Spring Cloud Sleuth; open-source; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Spring Cloud Stream,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=spring-cloud-stream,Spring Cloud Stream; open-source; messaging__comms; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Spring Cloud Task,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=spring-cloud-task,Spring Cloud Task; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - SQLite,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=sqlite,SQLite; open-source; database; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Sqoop,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=sqoop,Sqoop; open-source; databases-big-data; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Squid,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=squid,Squid; open-source; web-server; web +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - SSDB,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=ssdb,SSDB; open-source; databases-nosql; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Stable Baselines3,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=stable-baselines3,Stable Baselines3; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Starburst Enterprise,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=starburst-enterprise,Starburst Enterprise; commercial; databases-big-data; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - StatsForecast,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=statsforecast,StatsForecast; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Statsmodels,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=statsmodels,Statsmodels; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Storm,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=storm,Storm; open-source; databases-big-data; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Stream,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=stream,Stream; open-source; hpc; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - StreamLit,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=streamlit,StreamLit; open-source; languages-and-frameworks; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Strongswan,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=strongswan,Strongswan; open-source; networking; networking +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Submarine,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=submarine,Submarine; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Sunshine,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=sunshine,Sunshine; open-source; gaming; media +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Supervisor,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=supervisor,Supervisor; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - SUSE Application Collection (SUSE Rancher Prime),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=suse-application-collection-suse-rancher-prime,SUSE Application Collection (SUSE Rancher Prime); commercial; containers-and-orchestration; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - SUSE Edge,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=suse-edge,SUSE Edge; commercial; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - SUSE Linux Enterprise Server (Open Source),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=suse-linux-enterprise-server-open-source,SUSE Linux Enterprise Server (Open Source); open-source; operating-system; operating-systems +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - SUSE Linux Enterprise Server (SLES),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=suse-linux-enterprise-server-sles,SUSE Linux Enterprise Server (SLES); commercial; operating-system; operating-systems +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - SUSE Linux Micro,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=suse-linux-micro,SUSE Linux Micro; commercial; operating-system; operating-systems +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - SUSE Multi-Linux Manager,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=suse-multi-linux-manager,SUSE Multi-Linux Manager; commercial; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - SUSE Observability (SUSE Rancher Prime),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=suse-observability-suse-rancher-prime,SUSE Observability (SUSE Rancher Prime); commercial; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - SUSE Security (NeuVector/SUSE Rancher Prime),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=suse-security-neuvector__suse-rancher-prime,SUSE Security (NeuVector/SUSE Rancher Prime); commercial; security-applications; security +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - SUSE Storage (Longhorn),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=suse-storage-longhorn,SUSE Storage (Longhorn); commercial; storage; storage +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - SUSE Virtualization (Harvester/SUSE Rancher Prime),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=suse-virtualization-harvester__suse-rancher-prime,SUSE Virtualization (Harvester/SUSE Rancher Prime); commercial; containers-and-orchestration; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Swift (Arm64),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=swift-arm64,Swift (Arm64); open-source; languages-and-frameworks; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - SWIG (Simplified Wrapper and Interface Generator),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=swig-simplified-wrapper-and-interface-generator,SWIG (Simplified Wrapper and Interface Generator); open-source; compilers__tools; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Synopsys VCS,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=synopsys-vcs,Synopsys VCS; commercial; eda; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Sysbench,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=sysbench,Sysbench; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Sysdig,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=sysdig,Sysdig; open-source; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Sysget,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=sysget,Sysget; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - TabPFN,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=tabpfn,TabPFN; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Tabpfn-time-series,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=tabpfn-time-series,Tabpfn-time-series; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Tailscale,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=tailscale,Tailscale; commercial; security-applications; security +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Talend,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=talend,Talend; commercial; database; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Tandem Repeats Finder (TRF),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=tandem-repeats-finder-trf,Tandem Repeats Finder (TRF); open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Taskflow,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=taskflow,Taskflow; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Tcl,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=tcl,Tcl; open-source; languages-and-frameworks; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - TDengine,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=tdengine,TDengine; open-source; database; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - TeamCity,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=teamcity,TeamCity; commercial; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - TEJAPI,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=tejapi,TEJAPI; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Telegraf,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=telegraf,Telegraf; open-source; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Teleport Unified Access Plane,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=teleport-unified-access-plane,Teleport Unified Access Plane; commercial; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Tengine,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=tengine,Tengine; open-source; web-server; web +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Tensorflow,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=tensorflow,Tensorflow; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Tensorflow Serving,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=tensorflow-serving,Tensorflow Serving; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - TensorRT,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=tensorrt,TensorRT; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - TensorRT-LLM,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=tensorrt-llm,TensorRT-LLM; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Terraform,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=terraform,Terraform; commercial; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Terraform Enterprise,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=terraform-enterprise,Terraform Enterprise; commercial; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Terraform-provider-chaossearch,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=terraform-provider-chaossearch,Terraform-provider-chaossearch; open-source; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Tesseract,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=tesseract,Tesseract; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Tetrate Istio Subscription,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=tetrate-istio-subscription,Tetrate Istio Subscription; commercial; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Thanos,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=thanos,Thanos; open-source; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - The Update Framework (TUF),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=the-update-framework-tuf,The Update Framework (TUF); open-source; security-applications; security +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - The Visualization Toolkit (VTK),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=the-visualization-toolkit-vtk,The Visualization Toolkit (VTK); open-source; hpc; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - ThirdAI Platform,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=thirdai-platform,ThirdAI Platform; commercial; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Thoughtworks Talisman,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=thoughtworks-talisman,Thoughtworks Talisman; open-source; security-applications; security +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - ThreatMapper,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=threatmapper,ThreatMapper; open-source; security-applications; security +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - TiDB,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=tidb,TiDB; commercial; databases-big-data; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - TiDB (PingCAP),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=tidb-pingcap,TiDB (PingCAP); open-source; database; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Tiffin,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=tiffin,Tiffin; open-source; security-applications; security +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - TiKV,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=tikv,TiKV; open-source; database; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Tilelang,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=tilelang,Tilelang; open-source; languages-and-frameworks; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Timber,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=timber,Timber; open-source; content-mgmt-platforms; web +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - TimescaleDB,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=timescaledb,TimescaleDB; open-source; databases-nosql; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Tinker,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=tinker,Tinker; open-source; hpc; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Tinyproxy,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=tinyproxy,Tinyproxy; open-source; web-server; web +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - TinyXML2,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=tinyxml2,TinyXML2; open-source; languages-and-frameworks; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - TNSR Software,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=tnsr-software,TNSR Software; commercial; networking; networking +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - torchtune,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=torchtune,torchtune; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Tornado,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=tornado,Tornado; open-source; languages-and-frameworks; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Traefik Enterprise,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=traefik-enterprise,Traefik Enterprise; commercial; service-mesh; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Transformers (Hugging Face),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=transformers-hugging-face,Transformers (Hugging Face); open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Travis CI (SaaS),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=travis-ci-saas,Travis CI (SaaS); commercial; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Trino,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=trino,Trino; open-source; databases-big-data; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Triton,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=triton,Triton; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Trivy,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=trivy,Trivy; open-source; security-applications; security +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - TurboVNC,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=turbovnc,TurboVNC; open-source; video; media +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - TypeScript,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=typescript,TypeScript; open-source; languages-and-frameworks; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Ubuntu Core,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=ubuntu-core,Ubuntu Core; open-source; operating-system; operating-systems +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Ubuntu Desktop,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=ubuntu-desktop,Ubuntu Desktop; open-source; operating-system; operating-systems +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Ubuntu Pro,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=ubuntu-pro,Ubuntu Pro; commercial; operating-system; operating-systems +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Ubuntu Server,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=ubuntu-server,Ubuntu Server; open-source; operating-system; operating-systems +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Ultralytics,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=ultralytics,Ultralytics; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Ultramarine-Linux,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=ultramarine-linux,Ultramarine-Linux; open-source; operating-system; operating-systems +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - UnixBench,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=unixbench,UnixBench; open-source; compilers__tools; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Unleash,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=unleash,Unleash; open-source; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Uptycs,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=uptycs,Uptycs; commercial; security-applications; security +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - UUI,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=uui,UUI; open-source; languages-and-frameworks; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - uv,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=uv,uv; open-source; languages-and-frameworks; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Uyuni (Community-driven project for SUSE Multi-Linux Manager),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=uyuni-community-driven-project-for-suse-multi-linux-manager,Uyuni (Community-driven project for SUSE Multi-Linux Manager); open-source; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - V8 Javascript,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=v8-javascript,V8 Javascript; open-source; runtimes; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Valgrind,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=valgrind,Valgrind; open-source; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Valkey,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=valkey,Valkey; open-source; databases-nosql; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Varnish,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=varnish,Varnish; open-source; web-server; web +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Vault,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=vault,Vault; commercial; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Vector,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=vector,Vector; commercial; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Vectorscan,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=vectorscan,Vectorscan; open-source; networking; networking +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Velox,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=velox,Velox; open-source; databases-big-data; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Verible,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=verible,Verible; open-source; eda; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Verilator,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=verilator,Verilator; open-source; eda; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Veriloggen,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=veriloggen,Veriloggen; open-source; eda; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Vespa (open source),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=vespa-open-source,Vespa (open source); open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Vespa Cloud,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=vespa-cloud,Vespa Cloud; commercial; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - VictoriaMetrics,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=victoriametrics,VictoriaMetrics; open-source; database; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - VictoriaMetrics Enterprise,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=victoriametrics-enterprise,VictoriaMetrics Enterprise; commercial; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Videomass,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=videomass,Videomass; open-source; video; media +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - VidGear,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=vidgear,VidGear; open-source; video; media +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Visual Studio Code (VSCode),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=visual-studio-code-vscode,Visual Studio Code (VSCode); open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - VisualReview,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=visualreview,VisualReview; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Vitess,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=vitess,Vitess; open-source; database; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - vLLM,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=vllm,vLLM; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - VMware Carbon Black (Linux Sensor),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=vmware-carbon-black-linux-sensor,VMware Carbon Black (Linux Sensor); commercial; security-applications; security +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - VMware VSphere,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=vmware-vsphere,VMware VSphere; commercial; operating-system; operating-systems +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Volcano,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=volcano,Volcano; open-source; containers-and-orchestration; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - VPP,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=vpp,VPP; open-source; networking; networking +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Vsftpd,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=vsftpd,Vsftpd; open-source; networking; networking +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Vue,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=vue,Vue; open-source; languages-and-frameworks; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - VVdeC,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=vvdec,VVdeC; open-source; video; media +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - VVenC,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=vvenc,VVenC; open-source; video; media +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Wallaroo,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=wallaroo,Wallaroo; commercial; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Warp,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=warp,Warp; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Wasmtime,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=wasmtime,Wasmtime; open-source; runtimes; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Wave,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=wave,Wave; open-source; containers-and-orchestration; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Wazuh (Agent & Manager),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=wazuh-agent-and-manager,Wazuh (Agent & Manager); commercial; security-applications; security +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Weather Research and Forecasting (WRF),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=weather-research-and-forecasting-wrf,Weather Research and Forecasting (WRF); open-source; hpc; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Weave Net,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=weave-net,Weave Net; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Weaviate,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=weaviate,Weaviate; open-source; database; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Wget,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=wget,Wget; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Whisper,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=whisper,Whisper; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - WildFly,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=wildfly,WildFly; open-source; web-server; web +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Wireshark,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=wireshark,Wireshark; open-source; networking; networking +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - WooCommerce,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=woocommerce,WooCommerce; open-source; e-commerce-platforms; web +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Wordpress,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=wordpress,Wordpress; open-source; content-mgmt-platforms; web +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Workload Security Agent,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=workload-security-agent,Workload Security Agent; commercial; security-applications; security +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - WRK,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=wrk,WRK; open-source; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Xalan-c,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=xalan-c,Xalan-c; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Xebium,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=xebium,Xebium; open-source; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Xen CI,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=xen-ci,Xen CI; open-source; devops; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Xerces-C++,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=xerces-c++,Xerces-C++; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - XGBoost,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=xgboost,XGBoost; open-source; databases-big-data; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Xml2,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=xml2,Xml2; open-source; data-format; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - XMLSec,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=xmlsec,XMLSec; open-source; crypto; security +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Xpra,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=xpra,Xpra; open-source; video; media +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Xschem,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=xschem,Xschem; open-source; eda; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Xtrabackup,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=xtrabackup,Xtrabackup; open-source; database; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - xxHash,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=xxhash,xxHash; open-source; storage; storage +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - XXL-JOB,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=xxl-job,XXL-JOB; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Yarn,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=yarn,Yarn; open-source; databases-big-data; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - YCSB,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=ycsb,YCSB; open-source; miscellaneous; miscellaneous +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Ydata-profiling,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=ydata-profiling,Ydata-profiling; open-source; ai__ml; ai__ml +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Yellowbrick Data,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=yellowbrick-data,Yellowbrick Data; commercial; database; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Yosys,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=yosys,Yosys; open-source; eda; hpc__eda +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - YugabyteDB,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=yugabytedb,YugabyteDB; open-source; database; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Zabbix,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=zabbix,Zabbix; open-source; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - ZeroC ICE,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=zeroc-ice,ZeroC ICE; open-source; runtimes; languages +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Zerotier,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=zerotier,Zerotier; open-source; networking; networking +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Zilliz cloud,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=zilliz-cloud,Zilliz cloud; commercial; database; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Zipkin,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=zipkin,Zipkin; open-source; monitoring__observability; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Zlib,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=zlib,Zlib; open-source; compression; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Zookeeper,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=zookeeper,Zookeeper; open-source; databases-big-data; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Zstandard,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=zstandard,Zstandard; open-source; compression; database +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Zulip,https://www.arm.com/developer-hub/ecosystem-dashboard/?package=zulip,Zulip; open-source; messaging__comms; cloud-native +Ecosystem Dashboard,Arm Proprietary,Ecosystem Dashboard - Zulu OpenJDK (Azul Systems),https://www.arm.com/developer-hub/ecosystem-dashboard/?package=zulu-openjdk-azul-systems,Zulu OpenJDK (Azul Systems); open-source; runtimes; languages From e453f761307bc73621738a5b130cda4ca83aa1d3 Mon Sep 17 00:00:00 2001 From: Neethu Elizabeth Simon Date: Thu, 19 Mar 2026 11:26:04 -0700 Subject: [PATCH 3/4] fix: incorporate PR comments --- .github/workflows/embedding-unit-tests.yml | 3 +- embedding-generation/generate-chunks.py | 52 ++++---- embedding-generation/tests/conftest.py | 40 +++++- .../tests/test_generate_chunks.py | 116 +++++++++--------- 4 files changed, 130 insertions(+), 81 deletions(-) diff --git a/.github/workflows/embedding-unit-tests.yml b/.github/workflows/embedding-unit-tests.yml index d0c5930..a70c4a1 100644 --- a/.github/workflows/embedding-unit-tests.yml +++ b/.github/workflows/embedding-unit-tests.yml @@ -31,7 +31,8 @@ jobs: - name: Install dependencies run: | python -m pip install --upgrade pip - pip install pytest pyyaml requests beautifulsoup4 boto3 + pip install -r requirements.txt + pip install pytest - name: Run unit tests run: python -m pytest tests/ -v --tb=short diff --git a/embedding-generation/generate-chunks.py b/embedding-generation/generate-chunks.py index 53488bd..b2df676 100644 --- a/embedding-generation/generate-chunks.py +++ b/embedding-generation/generate-chunks.py @@ -187,12 +187,12 @@ def __init__(self, title, url, uuid, keywords, content): self.uuid = uuid self.content = content - # Translate keyword list into comma-seperated string, and add similar words to keywords. + # Translate keyword list into comma-separated string, and add similar words to keywords. self.keywords = self.formatKeywords(keywords) - - def formatKeywords(self,keywords): - return ', '.join(keywords).lower().strip() + def formatKeywords(self, keywords): + """Format keywords list into a lowercase, comma-separated string.""" + return ', '.join(k.strip() for k in keywords).lower() # Used to dump into a yaml file without difficulty def toDict(self): @@ -573,27 +573,24 @@ def createLearningPathChunks(): def readInCSV(csv_file): - csv_length = 0 + """Read sources CSV file and return dict of lists for processing. + + Uses csv.DictReader to properly handle quoted fields containing commas. + """ csv_dict = { 'urls': [], 'focus': [], 'source_names': [] } - with open(csv_file, 'r') as file: - next(file) # Skip the header row - for line in file: - - source_name = line.strip().split(',')[2] # Get the URL from column A - focus = line.strip().split(',')[4] # Get the URL from column B - url = line.strip().split(',')[3] # Get the URL from column C - - csv_dict['urls'].append(url) - csv_dict['focus'].append(focus) - csv_dict['source_names'].append(source_name) - - csv_length += 1 - - return csv_dict, csv_length + + with open(csv_file, 'r', newline='', encoding='utf-8') as file: + reader = csv.DictReader(file) + for row in reader: + csv_dict['urls'].append(row.get('URL', '')) + csv_dict['focus'].append(row.get('Keywords', '')) + csv_dict['source_names'].append(row.get('Display Name', '')) + + return csv_dict, len(csv_dict['urls']) def getMarkdownGitHubURLsFromPage(url): @@ -833,10 +830,19 @@ def main(): ensure_intrinsic_chunks_from_s3() # Argparse inputs - parser = argparse.ArgumentParser(description="Turn a Learning Path URL into suburls in GitHub") - parser.add_argument("csv_file", help="Path to the CSV file that lists all Learning Paths to chunk.") + parser = argparse.ArgumentParser( + description="Generate text chunks from Arm documentation sources for vector database ingestion. " + "Discovers learning paths, install guides, and ecosystem dashboard entries, " + "then updates the sources CSV with any new entries found." + ) + parser.add_argument( + "sources_file", + help="Path to vector-db-sources.csv. This file is read for existing sources " + "(to avoid duplicates) and WILL BE OVERWRITTEN with the combined list " + "of existing + newly discovered sources." + ) args = parser.parse_args() - sources_file = args.csv_file + sources_file = args.sources_file # Load existing sources from vector-db-sources.csv (for deduplication) load_existing_sources(sources_file) diff --git a/embedding-generation/tests/conftest.py b/embedding-generation/tests/conftest.py index f271049..22f243b 100644 --- a/embedding-generation/tests/conftest.py +++ b/embedding-generation/tests/conftest.py @@ -12,8 +12,46 @@ # See the License for the specific language governing permissions and # limitations under the License. +"""Pytest configuration for embedding-generation tests. + +This module sets up the Python path and provides the generate_chunks module +as a fixture (required because the filename has a hyphen). +""" + +import importlib.util import os import sys +import pytest + # Add parent directory to path for imports -sys.path.insert(0, os.path.dirname(os.path.dirname(os.path.abspath(__file__)))) +_PARENT_DIR = os.path.dirname(os.path.dirname(os.path.abspath(__file__))) +if _PARENT_DIR not in sys.path: + sys.path.insert(0, _PARENT_DIR) + + +def _load_generate_chunks(): + """Load generate-chunks.py module (hyphen in filename requires importlib).""" + spec = importlib.util.spec_from_file_location( + "generate_chunks", + os.path.join(_PARENT_DIR, "generate-chunks.py") + ) + module = importlib.util.module_from_spec(spec) + spec.loader.exec_module(module) + return module + + +# Load module once at conftest import time +_generate_chunks_module = _load_generate_chunks() + + +@pytest.fixture +def gc(): + """Provide the generate_chunks module with reset global state.""" + # Reset global state before each test + _generate_chunks_module.known_source_urls = set() + _generate_chunks_module.all_sources = [] + yield _generate_chunks_module + # Clean up after test + _generate_chunks_module.known_source_urls = set() + _generate_chunks_module.all_sources = [] diff --git a/embedding-generation/tests/test_generate_chunks.py b/embedding-generation/tests/test_generate_chunks.py index 45883dd..3aae7e0 100644 --- a/embedding-generation/tests/test_generate_chunks.py +++ b/embedding-generation/tests/test_generate_chunks.py @@ -12,28 +12,21 @@ # See the License for the specific language governing permissions and # limitations under the License. -import pytest -import os -import sys -import csv +"""Unit tests for generate-chunks.py. -# Add parent directory to path for imports -sys.path.insert(0, os.path.dirname(os.path.dirname(os.path.abspath(__file__)))) +The `gc` fixture is provided by conftest.py and gives access to the +generate_chunks module with reset global state between tests. +""" + +import csv -# Import module with hyphen in name using importlib -import importlib.util -spec = importlib.util.spec_from_file_location( - "generate_chunks", - os.path.join(os.path.dirname(os.path.dirname(os.path.abspath(__file__))), "generate-chunks.py") -) -gc = importlib.util.module_from_spec(spec) -spec.loader.exec_module(gc) +import pytest class TestChunkClass: """Tests for the Chunk class.""" - def test_chunk_creation(self): + def test_chunk_creation(self, gc): """Test basic Chunk creation.""" chunk = gc.Chunk( title="Test Title", @@ -48,7 +41,7 @@ def test_chunk_creation(self): assert chunk.uuid == "test-uuid-123" assert chunk.content == "This is test content." - def test_chunk_keywords_formatting(self): + def test_chunk_keywords_formatting(self, gc): """Test that keywords are properly formatted to lowercase comma-separated string.""" chunk = gc.Chunk( title="Test", @@ -60,8 +53,8 @@ def test_chunk_keywords_formatting(self): assert chunk.keywords == "python, testing, arm" - def test_chunk_keywords_with_spaces(self): - """Test keywords with leading/trailing spaces.""" + def test_chunk_keywords_with_spaces(self, gc): + """Test keywords with leading/trailing spaces are trimmed.""" chunk = gc.Chunk( title="Test", url="https://example.com", @@ -70,10 +63,10 @@ def test_chunk_keywords_with_spaces(self): content="content" ) - # formatKeywords joins then strips the whole string - assert chunk.keywords == "python , testing" + # Each keyword should be stripped individually before joining + assert chunk.keywords == "python, testing" - def test_chunk_to_dict(self): + def test_chunk_to_dict(self, gc): """Test toDict method returns correct dictionary.""" chunk = gc.Chunk( title="Test Title", @@ -93,7 +86,7 @@ def test_chunk_to_dict(self): 'content': "Test content" } - def test_chunk_empty_keywords(self): + def test_chunk_empty_keywords(self, gc): """Test Chunk with empty keywords list.""" chunk = gc.Chunk( title="Test", @@ -107,18 +100,13 @@ def test_chunk_empty_keywords(self): class TestSourceTracking: - """Tests for source tracking functions.""" - - @pytest.fixture(autouse=True) - def reset_globals(self): - """Reset global variables before each test.""" - gc.known_source_urls = set() - gc.all_sources = [] - yield - gc.known_source_urls = set() - gc.all_sources = [] + """Tests for source tracking functions. + + Note: The gc fixture (from conftest.py) automatically resets + known_source_urls and all_sources before and after each test. + """ - def test_register_source_new(self): + def test_register_source_new(self, gc): """Test registering a new source.""" result = gc.register_source( site_name="Test Site", @@ -134,7 +122,7 @@ def test_register_source_new(self): assert gc.all_sources[0]['url'] == "https://example.com/test" assert gc.all_sources[0]['keywords'] == "test; example" - def test_register_source_duplicate(self): + def test_register_source_duplicate(self, gc): """Test that duplicate URLs are rejected.""" gc.register_source( site_name="Test Site", @@ -155,7 +143,7 @@ def test_register_source_duplicate(self): assert result is False assert len(gc.all_sources) == 1 - def test_register_source_url_normalization(self): + def test_register_source_url_normalization(self, gc): """Test that URLs are stripped of whitespace.""" gc.register_source( site_name="Test", @@ -167,7 +155,7 @@ def test_register_source_url_normalization(self): assert "https://example.com/test" in gc.known_source_urls - def test_register_source_string_keywords(self): + def test_register_source_string_keywords(self, gc): """Test that string keywords are preserved as-is.""" gc.register_source( site_name="Test", @@ -179,14 +167,14 @@ def test_register_source_string_keywords(self): assert gc.all_sources[0]['keywords'] == "already; formatted; string" - def test_load_existing_sources_file_not_exists(self, tmp_path): + def test_load_existing_sources_file_not_exists(self, gc, tmp_path): """Test loading from non-existent file.""" gc.load_existing_sources(str(tmp_path / "nonexistent.csv")) assert len(gc.all_sources) == 0 assert len(gc.known_source_urls) == 0 - def test_load_existing_sources(self, tmp_path): + def test_load_existing_sources(self, gc, tmp_path): """Test loading sources from CSV file.""" csv_file = tmp_path / "sources.csv" csv_file.write_text( @@ -203,7 +191,7 @@ def test_load_existing_sources(self, tmp_path): assert gc.all_sources[0]['site_name'] == "Test Site" assert gc.all_sources[1]['display_name'] == "Another Display" - def test_save_sources_csv(self, tmp_path): + def test_save_sources_csv(self, gc, tmp_path): """Test saving sources to CSV file.""" gc.all_sources = [ { @@ -234,7 +222,7 @@ def test_save_sources_csv(self, tmp_path): assert rows[1] == ['Site 1', 'MIT', 'Display 1', 'https://example.com/1', 'key1; key2'] assert rows[2] == ['Site 2', 'Apache', 'Display 2', 'https://example.com/2', 'key3'] - def test_load_and_save_roundtrip(self, tmp_path): + def test_load_and_save_roundtrip(self, gc, tmp_path): """Test that loading and saving preserves data.""" csv_file = tmp_path / "sources.csv" original_content = ( @@ -271,7 +259,7 @@ def test_load_and_save_roundtrip(self, tmp_path): class TestGetMarkdownGitHubURLsFromPage: """Tests for getMarkdownGitHubURLsFromPage function.""" - def test_migration_url(self): + def test_migration_url(self, gc): """Test handling of migration page URL.""" gh_urls, site_urls = gc.getMarkdownGitHubURLsFromPage("https://learn.arm.com/migration") @@ -281,7 +269,7 @@ def test_migration_url(self): assert "migration/_index.md" in gh_urls[0] assert site_urls[0] == "https://learn.arm.com/migration" - def test_graviton_url(self): + def test_graviton_url(self, gc): """Test handling of Graviton getting started URL.""" url = "https://github.com/aws/aws-graviton-getting-started/blob/main/README.md" gh_urls, site_urls = gc.getMarkdownGitHubURLsFromPage(url) @@ -291,7 +279,7 @@ def test_graviton_url(self): assert "raw.githubusercontent.com/aws/aws-graviton-getting-started" in gh_urls[0] assert "README.md" in gh_urls[0] - def test_graviton_nested_url(self): + def test_graviton_nested_url(self, gc): """Test handling of nested Graviton URL.""" url = "https://github.com/aws/aws-graviton-getting-started/blob/main/machinelearning/pytorch.md" gh_urls, site_urls = gc.getMarkdownGitHubURLsFromPage(url) @@ -299,7 +287,7 @@ def test_graviton_nested_url(self): assert len(gh_urls) == 1 assert "machinelearning/pytorch.md" in gh_urls[0] - def test_unknown_url_returns_empty(self, capsys): + def test_unknown_url_returns_empty(self, gc, capsys): """Test that unknown URLs return empty lists and print warning.""" gh_urls, site_urls = gc.getMarkdownGitHubURLsFromPage("https://unknown.com/page") @@ -313,7 +301,7 @@ def test_unknown_url_returns_empty(self, capsys): class TestObtainTextSnippetsMarkdown: """Tests for obtainTextSnippets__Markdown function.""" - def test_single_short_content(self): + def test_single_short_content(self, gc): """Test content shorter than min_words stays as one chunk.""" content = "This is a short piece of content with only a few words." @@ -321,7 +309,7 @@ def test_single_short_content(self): assert len(chunks) == 1 - def test_split_by_h2(self): + def test_split_by_h2(self, gc): """Test that content is split by h2 headings.""" content = """ ## Section One @@ -334,7 +322,7 @@ def test_split_by_h2(self): assert len(chunks) >= 2 - def test_split_by_h3_when_h2_too_large(self): + def test_split_by_h3_when_h2_too_large(self, gc): """Test that large h2 sections are split by h3.""" content = """ ## Large Section @@ -349,7 +337,7 @@ def test_split_by_h3_when_h2_too_large(self): # Should have multiple chunks due to h3 splitting assert len(chunks) >= 2 - def test_small_final_chunk_merged(self): + def test_small_final_chunk_merged(self, gc): """Test that small final chunks are merged with previous.""" content = "word " * 400 + "\n\n" + "short ending" @@ -359,13 +347,13 @@ def test_small_final_chunk_merged(self): assert len(chunks) == 1 assert "short ending" in chunks[0] - def test_empty_content(self): + def test_empty_content(self, gc): """Test handling of empty content.""" chunks = gc.obtainTextSnippets__Markdown("") assert chunks == [] or chunks == [''] - def test_respects_max_words(self): + def test_respects_max_words(self, gc): """Test that chunks don't significantly exceed max_words when headers are present.""" # Create content with h2 headers to enable splitting content = """ @@ -387,7 +375,7 @@ def test_respects_max_words(self): class TestReadInCSV: """Tests for readInCSV function.""" - def test_read_csv_basic(self, tmp_path): + def test_read_csv_basic(self, gc, tmp_path): """Test reading a basic CSV file.""" csv_file = tmp_path / "test.csv" csv_file.write_text( @@ -403,7 +391,7 @@ def test_read_csv_basic(self, tmp_path): assert csv_dict['source_names'] == ['Display1', 'Display2'] assert csv_dict['focus'] == ['key1', 'key2'] - def test_read_csv_empty(self, tmp_path): + def test_read_csv_empty(self, gc, tmp_path): """Test reading an empty CSV (header only).""" csv_file = tmp_path / "empty.csv" csv_file.write_text("Site Name,License Type,Display Name,URL,Keywords\n") @@ -413,11 +401,27 @@ def test_read_csv_empty(self, tmp_path): assert length == 0 assert csv_dict['urls'] == [] + def test_read_csv_quoted_commas(self, gc, tmp_path): + """Test that quoted fields containing commas are handled correctly.""" + csv_file = tmp_path / "quoted.csv" + # Display name contains a comma inside quotes + csv_file.write_text( + 'Site Name,License Type,Display Name,URL,Keywords\n' + 'Learning Paths,CC4.0,"Learning Path - Managed, self-hosted runners",https://example.com/runners,"github; actions, runners"\n' + ) + + csv_dict, length = gc.readInCSV(str(csv_file)) + + assert length == 1 + assert csv_dict['source_names'] == ['Learning Path - Managed, self-hosted runners'] + assert csv_dict['urls'] == ['https://example.com/runners'] + assert csv_dict['focus'] == ['github; actions, runners'] + class TestCreateChunk: """Tests for createChunk function.""" - def test_create_chunk_basic(self): + def test_create_chunk_basic(self, gc): """Test basic chunk creation.""" chunk = gc.createChunk( text_snippet="Test content", @@ -433,7 +437,7 @@ def test_create_chunk_basic(self): # UUID should be generated assert len(chunk.uuid) > 0 - def test_create_chunk_generates_unique_uuids(self): + def test_create_chunk_generates_unique_uuids(self, gc): """Test that each chunk gets a unique UUID.""" chunk1 = gc.createChunk("content", "url", ["key"], "title") chunk2 = gc.createChunk("content", "url", ["key"], "title") @@ -444,7 +448,7 @@ def test_create_chunk_generates_unique_uuids(self): class TestCreateRetrySession: """Tests for create_retry_session function.""" - def test_creates_session(self): + def test_creates_session(self, gc): """Test that a session is created.""" session = gc.create_retry_session() @@ -453,7 +457,7 @@ def test_creates_session(self): assert 'http://' in session.adapters assert 'https://' in session.adapters - def test_custom_retry_settings(self): + def test_custom_retry_settings(self, gc): """Test session with custom retry settings.""" session = gc.create_retry_session( retries=3, From 7a3a6b6a199aab1b4b3591d84ddc3c8e81fe8ea4 Mon Sep 17 00:00:00 2001 From: Neethu Elizabeth Simon Date: Thu, 19 Mar 2026 11:36:03 -0700 Subject: [PATCH 4/4] fix: address PR comments --- embedding-generation/generate-chunks.py | 4 ++++ embedding-generation/tests/test_generate_chunks.py | 11 +++++++++++ 2 files changed, 15 insertions(+) diff --git a/embedding-generation/generate-chunks.py b/embedding-generation/generate-chunks.py index b2df676..2175820 100644 --- a/embedding-generation/generate-chunks.py +++ b/embedding-generation/generate-chunks.py @@ -576,6 +576,7 @@ def readInCSV(csv_file): """Read sources CSV file and return dict of lists for processing. Uses csv.DictReader to properly handle quoted fields containing commas. + Returns empty results if the file doesn't exist. """ csv_dict = { 'urls': [], @@ -583,6 +584,9 @@ def readInCSV(csv_file): 'source_names': [] } + if not os.path.exists(csv_file): + return csv_dict, 0 + with open(csv_file, 'r', newline='', encoding='utf-8') as file: reader = csv.DictReader(file) for row in reader: diff --git a/embedding-generation/tests/test_generate_chunks.py b/embedding-generation/tests/test_generate_chunks.py index 3aae7e0..96ecfa1 100644 --- a/embedding-generation/tests/test_generate_chunks.py +++ b/embedding-generation/tests/test_generate_chunks.py @@ -417,6 +417,17 @@ def test_read_csv_quoted_commas(self, gc, tmp_path): assert csv_dict['urls'] == ['https://example.com/runners'] assert csv_dict['focus'] == ['github; actions, runners'] + def test_read_csv_file_not_exists(self, gc, tmp_path): + """Test that missing file returns empty results (not FileNotFoundError).""" + csv_file = tmp_path / "nonexistent.csv" + + csv_dict, length = gc.readInCSV(str(csv_file)) + + assert length == 0 + assert csv_dict['urls'] == [] + assert csv_dict['source_names'] == [] + assert csv_dict['focus'] == [] + class TestCreateChunk: """Tests for createChunk function."""