Skip to content

feat(integration): add pagination to github branches list API#53931

Open
VojtechBartos wants to merge 3 commits intomasterfrom
vojta/gh-branch-pagination
Open

feat(integration): add pagination to github branches list API#53931
VojtechBartos wants to merge 3 commits intomasterfrom
vojta/gh-branch-pagination

Conversation

@VojtechBartos
Copy link
Copy Markdown
Member

@VojtechBartos VojtechBartos commented Apr 9, 2026

Problem

The GitHub integration's branch listing was hard-capped at 2,000 branches (20 pages × 100 per page). Repositories with more than 2,000 branches — like the PostHog monorepo with 5,000+ — had their branch list silently truncated. Additionally, every request fetched all pages from GitHub sequentially with no pagination support on the PostHog API side.

Changes

  • Removed the 2,000-branch cap from GitHubIntegration.list_branches — now accepts limit/offset params and fetches only the GitHub
    API pages needed for the requested window
  • Added pagination to the github_branches endpoint — supports ?limit= (1–1000, default 100) and ?offset= (default 0) query params
  • Response includes has_more boolean so consumers can paginate progressively
  • Default branch reordering (main first) now only applies on the first page (offset=0) to keep paginated results consistent

How did you test this code?

Added 10 unit tests covering:

  • Model layer: first page, offset skipping, cross-page spans, last page detection, empty repo, 401 retry
  • API endpoint: limit/offset passthrough, default branch ordering, no reorder on subsequent pages, limit validation
  • Tested together with Posthog Code changes

Publish to changelog?

No

Docs update

No

@greptile-apps
Copy link
Copy Markdown
Contributor

greptile-apps bot commented Apr 9, 2026

Vulnerabilities

No security concerns identified. The repo parameter is validated with a strict regex before use in the URL, preventing injection. The API relies on existing authentication/authorization via TeamAndOrgViewSetMixin and TeamMemberStrictManagementPermission.

Prompt To Fix All With AI
This is a comment left during a code review.
Path: posthog/api/test/test_integration.py
Line: 1117-1179

Comment:
**Prefer parameterised tests for single-page variants**

`test_list_branches_returns_first_page`, `test_list_branches_last_page_no_more`, and `test_list_branches_empty_repo` are all variations of the same single-page logic (offset=0, different branch counts and `has_next` flags). Per repo conventions these should be collapsed into one parameterised test.

```python
@pytest.mark.parametrize(
    "branch_count, has_next, expected_has_more",
    [
        (100, True, True),
        (50, False, False),
        (0, False, False),
    ],
)
@patch("posthog.models.integration.requests.get")
def test_list_branches_single_page(self, mock_get, branch_count, has_next, expected_has_more):
    names = [f"branch-{i}" for i in range(branch_count)]
    mock_get.return_value = _make_github_branches_response(names, has_next=has_next)

    branches, has_more = self.github.list_branches("org/repo", limit=100, offset=0)

    assert branches == names
    assert has_more is expected_has_more
    mock_get.assert_called_once()
    assert "page=1" in mock_get.call_args[0][0]
```

**Context Used:** Do not attempt to comment on incorrect alphabetica... ([source](https://app.greptile.com/review/custom-context?memory=instruction-0))

How can I resolve this? If you propose a fix, please make it concise.

Reviews (1): Last reviewed commit: "feat(integration): add pagination to git..." | Re-trigger Greptile

Comment on lines +1117 to +1179
@patch("posthog.models.integration.requests.get")
def test_list_branches_returns_first_page(self, mock_get):
names = [f"branch-{i}" for i in range(100)]
mock_get.return_value = _make_github_branches_response(names, has_next=True)

branches, has_more = self.github.list_branches("org/repo", limit=100, offset=0)

assert branches == names
assert has_more is True
mock_get.assert_called_once()
assert "page=1" in mock_get.call_args[0][0]

@patch("posthog.models.integration.requests.get")
def test_list_branches_offset_skips_pages(self, mock_get):
"""Requesting offset=200 should start fetching from GitHub page 3."""
page3_names = [f"branch-{i}" for i in range(200, 300)]
mock_get.return_value = _make_github_branches_response(page3_names, has_next=True)

branches, has_more = self.github.list_branches("org/repo", limit=100, offset=200)

assert branches == page3_names
assert has_more is True
assert mock_get.call_count == 1
assert "page=3" in mock_get.call_args[0][0]

@patch("posthog.models.integration.requests.get")
def test_list_branches_last_page_no_more(self, mock_get):
names = [f"branch-{i}" for i in range(50)]
mock_get.return_value = _make_github_branches_response(names, has_next=False)

branches, has_more = self.github.list_branches("org/repo", limit=100, offset=0)

assert branches == names
assert has_more is False

@patch("posthog.models.integration.requests.get")
def test_list_branches_spans_two_github_pages(self, mock_get):
"""An offset that doesn't align with per_page=100 requires fetching two GitHub pages."""
page1_names = [f"branch-{i}" for i in range(100)]
page2_names = [f"branch-{i}" for i in range(100, 200)]

mock_get.side_effect = [
_make_github_branches_response(page1_names, has_next=True),
_make_github_branches_response(page2_names, has_next=False),
]

branches, has_more = self.github.list_branches("org/repo", limit=100, offset=50)

assert len(branches) == 100
assert branches == [f"branch-{i}" for i in range(50, 150)]
# There are still branches 150-199 beyond this window
assert has_more is True
assert mock_get.call_count == 2

@patch("posthog.models.integration.requests.get")
def test_list_branches_empty_repo(self, mock_get):
mock_get.return_value = _make_github_branches_response([], has_next=False)

branches, has_more = self.github.list_branches("org/repo")

assert branches == []
assert has_more is False

Copy link
Copy Markdown
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

P2 Prefer parameterised tests for single-page variants

test_list_branches_returns_first_page, test_list_branches_last_page_no_more, and test_list_branches_empty_repo are all variations of the same single-page logic (offset=0, different branch counts and has_next flags). Per repo conventions these should be collapsed into one parameterised test.

@pytest.mark.parametrize(
    "branch_count, has_next, expected_has_more",
    [
        (100, True, True),
        (50, False, False),
        (0, False, False),
    ],
)
@patch("posthog.models.integration.requests.get")
def test_list_branches_single_page(self, mock_get, branch_count, has_next, expected_has_more):
    names = [f"branch-{i}" for i in range(branch_count)]
    mock_get.return_value = _make_github_branches_response(names, has_next=has_next)

    branches, has_more = self.github.list_branches("org/repo", limit=100, offset=0)

    assert branches == names
    assert has_more is expected_has_more
    mock_get.assert_called_once()
    assert "page=1" in mock_get.call_args[0][0]

Context Used: Do not attempt to comment on incorrect alphabetica... (source)

Prompt To Fix With AI
This is a comment left during a code review.
Path: posthog/api/test/test_integration.py
Line: 1117-1179

Comment:
**Prefer parameterised tests for single-page variants**

`test_list_branches_returns_first_page`, `test_list_branches_last_page_no_more`, and `test_list_branches_empty_repo` are all variations of the same single-page logic (offset=0, different branch counts and `has_next` flags). Per repo conventions these should be collapsed into one parameterised test.

```python
@pytest.mark.parametrize(
    "branch_count, has_next, expected_has_more",
    [
        (100, True, True),
        (50, False, False),
        (0, False, False),
    ],
)
@patch("posthog.models.integration.requests.get")
def test_list_branches_single_page(self, mock_get, branch_count, has_next, expected_has_more):
    names = [f"branch-{i}" for i in range(branch_count)]
    mock_get.return_value = _make_github_branches_response(names, has_next=has_next)

    branches, has_more = self.github.list_branches("org/repo", limit=100, offset=0)

    assert branches == names
    assert has_more is expected_has_more
    mock_get.assert_called_once()
    assert "page=1" in mock_get.call_args[0][0]
```

**Context Used:** Do not attempt to comment on incorrect alphabetica... ([source](https://app.greptile.com/review/custom-context?memory=instruction-0))

How can I resolve this? If you propose a fix, please make it concise.

Note: If this suggestion doesn't match your team's coding style, reply to this and let me know. I'll remember it for next time!

@github-actions
Copy link
Copy Markdown
Contributor

github-actions bot commented Apr 9, 2026

Size Change: -3.15 kB (0%)

Total Size: 129 MB

Filename Size Change
frontend/dist/exporter.js 20.9 MB -1.58 kB (-0.01%)
frontend/dist/render-query.js 20.5 MB -1.58 kB (-0.01%)
ℹ️ View Unchanged
Filename Size
frontend/dist/368Hedgehogs 5.26 kB
frontend/dist/abap 14.2 kB
frontend/dist/Action 23.2 kB
frontend/dist/Actions 1.02 kB
frontend/dist/AdvancedActivityLogsScene 34 kB
frontend/dist/AgenticAuthorize 5.25 kB
frontend/dist/apex 3.95 kB
frontend/dist/ApprovalDetail 16.2 kB
frontend/dist/array.full.es5.js 327 kB
frontend/dist/array.full.js 423 kB
frontend/dist/array.js 178 kB
frontend/dist/AsyncMigrations 13.1 kB
frontend/dist/AuthorizationStatus 716 B
frontend/dist/azcli 846 B
frontend/dist/bat 1.84 kB
frontend/dist/BatchExportScene 60.3 kB
frontend/dist/bicep 2.55 kB
frontend/dist/Billing 493 B
frontend/dist/BillingSection 20.8 kB
frontend/dist/BoxPlot 5.04 kB
frontend/dist/browserAll-0QZMN1W2 37.4 kB
frontend/dist/ButtonPrimitives 562 B
frontend/dist/CalendarHeatMap 4.79 kB
frontend/dist/cameligo 2.18 kB
frontend/dist/changeRequestsLogic 544 B
frontend/dist/CLIAuthorize 11.3 kB
frontend/dist/CLILive 3.97 kB
frontend/dist/clojure 9.64 kB
frontend/dist/coffee 3.59 kB
frontend/dist/Cohort 23.2 kB
frontend/dist/CohortCalculationHistory 6.22 kB
frontend/dist/Cohorts 9.39 kB
frontend/dist/ConfirmOrganization 4.48 kB
frontend/dist/conversations.js 65.8 kB
frontend/dist/Coupons 720 B
frontend/dist/cpp 5.3 kB
frontend/dist/Create 829 B
frontend/dist/crisp-chat-integration.js 1.88 kB
frontend/dist/csharp 4.52 kB
frontend/dist/csp 1.42 kB
frontend/dist/css 4.51 kB
frontend/dist/cssMode 4.15 kB
frontend/dist/CustomCssScene 3.55 kB
frontend/dist/CustomerAnalyticsConfigurationScene 1.99 kB
frontend/dist/CustomerAnalyticsScene 26.3 kB
frontend/dist/CustomerJourneyBuilderScene 1.69 kB
frontend/dist/CustomerJourneyTemplatesScene 7.39 kB
frontend/dist/customizations.full.js 17.9 kB
frontend/dist/CyclotronJobInputAssignee 1.32 kB
frontend/dist/CyclotronJobInputTicketTags 711 B
frontend/dist/cypher 3.38 kB
frontend/dist/dart 4.25 kB
frontend/dist/Dashboard 1.11 kB
frontend/dist/Dashboards 23.1 kB
frontend/dist/DataManagementScene 646 B
frontend/dist/DataPipelinesNewScene 2.28 kB
frontend/dist/DataWarehouseScene 1.21 kB
frontend/dist/DataWarehouseSourceScene 634 B
frontend/dist/Deactivated 1.13 kB
frontend/dist/dead-clicks-autocapture.js 13.1 kB
frontend/dist/DeadLetterQueue 5.38 kB
frontend/dist/DebugScene 20 kB
frontend/dist/decompressionWorker 2.85 kB
frontend/dist/decompressionWorker.js 2.85 kB
frontend/dist/DefinitionEdit 7.11 kB
frontend/dist/DefinitionView 22.7 kB
frontend/dist/DestinationsScene 2.67 kB
frontend/dist/dist 575 B
frontend/dist/dockerfile 1.87 kB
frontend/dist/EarlyAccessFeature 753 B
frontend/dist/EarlyAccessFeatures 2.84 kB
frontend/dist/ecl 5.33 kB
frontend/dist/EditorScene 896 B
frontend/dist/elixir 10.3 kB
frontend/dist/elk.bundled 1.44 MB
frontend/dist/EmailMFAVerify 2.98 kB
frontend/dist/EndpointScene 37.5 kB
frontend/dist/EndpointsScene 22.1 kB
frontend/dist/ErrorTrackingConfigurationScene 2.2 kB
frontend/dist/ErrorTrackingIssueFingerprintsScene 6.98 kB
frontend/dist/ErrorTrackingIssueScene 81.9 kB
frontend/dist/ErrorTrackingScene 12.9 kB
frontend/dist/EvaluationTemplates 575 B
frontend/dist/EventsScene 2.46 kB
frontend/dist/exception-autocapture.js 11.8 kB
frontend/dist/Experiment 208 kB
frontend/dist/Experiments 17.7 kB
frontend/dist/exporter 20.9 MB
frontend/dist/ExportsScene 3.86 kB
frontend/dist/FeatureFlag 128 kB
frontend/dist/FeatureFlags 572 B
frontend/dist/FeatureFlagTemplatesScene 7.03 kB
frontend/dist/FlappyHog 5.78 kB
frontend/dist/flow9 1.8 kB
frontend/dist/freemarker2 16.7 kB
frontend/dist/fsharp 2.98 kB
frontend/dist/go 2.65 kB
frontend/dist/graphql 2.26 kB
frontend/dist/Group 14.4 kB
frontend/dist/Groups 3.91 kB
frontend/dist/GroupsNew 7.34 kB
frontend/dist/handlebars 7.34 kB
frontend/dist/hcl 3.59 kB
frontend/dist/HealthCategoryDetailScene 7.23 kB
frontend/dist/HealthScene 10.3 kB
frontend/dist/HeatmapNewScene 4.16 kB
frontend/dist/HeatmapRecordingScene 3.92 kB
frontend/dist/HeatmapScene 6.03 kB
frontend/dist/HeatmapsScene 3.88 kB
frontend/dist/hls 394 kB
frontend/dist/HogFunctionScene 59.7 kB
frontend/dist/HogRepl 7.37 kB
frontend/dist/html 5.58 kB
frontend/dist/htmlMode 4.62 kB
frontend/dist/image-blob-reduce.esm 49.4 kB
frontend/dist/InboxScene 59.7 kB
frontend/dist/index 308 kB
frontend/dist/index.js 308 kB
frontend/dist/ini 1.1 kB
frontend/dist/InsightOptions 5.41 kB
frontend/dist/InsightScene 28.9 kB
frontend/dist/IntegrationsRedirect 733 B
frontend/dist/intercom-integration.js 1.93 kB
frontend/dist/InviteSignup 14.4 kB
frontend/dist/java 3.22 kB
frontend/dist/javascript 985 B
frontend/dist/jsonMode 13.9 kB
frontend/dist/julia 7.22 kB
frontend/dist/kotlin 3.4 kB
frontend/dist/lazy 150 kB
frontend/dist/LegacyPluginScene 26.6 kB
frontend/dist/LemonTextAreaMarkdown 502 B
frontend/dist/less 3.9 kB
frontend/dist/lexon 2.44 kB
frontend/dist/lib 2.22 kB
frontend/dist/Link 468 B
frontend/dist/LinkScene 24.8 kB
frontend/dist/LinksScene 4.19 kB
frontend/dist/liquid 4.53 kB
frontend/dist/LiveDebugger 19.1 kB
frontend/dist/LiveEventsTable 2.98 kB
frontend/dist/LLMAnalyticsClusterScene 15.7 kB
frontend/dist/LLMAnalyticsClustersScene 43.1 kB
frontend/dist/LLMAnalyticsDatasetScene 19.7 kB
frontend/dist/LLMAnalyticsDatasetsScene 3.28 kB
frontend/dist/LLMAnalyticsEvaluation 41.7 kB
frontend/dist/LLMAnalyticsEvaluationsScene 29.5 kB
frontend/dist/LLMAnalyticsPlaygroundScene 36.3 kB
frontend/dist/LLMAnalyticsScene 116 kB
frontend/dist/LLMAnalyticsSessionScene 13.4 kB
frontend/dist/LLMAnalyticsTraceScene 127 kB
frontend/dist/LLMAnalyticsUsers 526 B
frontend/dist/LLMASessionFeedbackDisplay 4.83 kB
frontend/dist/LLMPromptScene 20.6 kB
frontend/dist/LLMPromptsScene 4.21 kB
frontend/dist/Login 8.57 kB
frontend/dist/Login2FA 4.2 kB
frontend/dist/logs.js 38.5 kB
frontend/dist/LogsScene 11.3 kB
frontend/dist/lua 2.11 kB
frontend/dist/m3 2.81 kB
frontend/dist/main 819 kB
frontend/dist/ManagedMigration 14 kB
frontend/dist/markdown 3.79 kB
frontend/dist/MarketingAnalyticsScene 39.7 kB
frontend/dist/MaterializedColumns 10.2 kB
frontend/dist/Max 835 B
frontend/dist/mdx 5.39 kB
frontend/dist/memlens.lib.bundle 27.8 kB
frontend/dist/MessageTemplate 16.3 kB
frontend/dist/MetricsScene 828 B
frontend/dist/mips 2.58 kB
frontend/dist/ModelsScene 13.6 kB
frontend/dist/MonacoDiffEditor 403 B
frontend/dist/monacoEditorWorker 288 kB
frontend/dist/monacoEditorWorker.js 288 kB
frontend/dist/monacoJsonWorker 419 kB
frontend/dist/monacoJsonWorker.js 419 kB
frontend/dist/monacoTsWorker 7.02 MB
frontend/dist/monacoTsWorker.js 7.02 MB
frontend/dist/MoveToPostHogCloud 4.46 kB
frontend/dist/msdax 4.91 kB
frontend/dist/mysql 11.3 kB
frontend/dist/NavTabChat 4.68 kB
frontend/dist/NewSourceWizard 724 B
frontend/dist/NewTabScene 681 B
frontend/dist/NodeDetailScene 16.3 kB
frontend/dist/NotebookCanvasScene 3.13 kB
frontend/dist/NotebookPanel 5.14 kB
frontend/dist/NotebookScene 8.14 kB
frontend/dist/NotebooksScene 7.58 kB
frontend/dist/OAuthAuthorize 573 B
frontend/dist/objective-c 2.41 kB
frontend/dist/Onboarding 682 kB
frontend/dist/OnboardingCouponRedemption 1.2 kB
frontend/dist/pascal 2.99 kB
frontend/dist/pascaligo 2 kB
frontend/dist/passkeyLogic 484 B
frontend/dist/PasswordReset 4.32 kB
frontend/dist/PasswordResetComplete 2.94 kB
frontend/dist/perl 8.25 kB
frontend/dist/PersonScene 16 kB
frontend/dist/PersonsScene 4.68 kB
frontend/dist/pgsql 13.5 kB
frontend/dist/php 8.02 kB
frontend/dist/PipelineStatusScene 6.22 kB
frontend/dist/pla 1.67 kB
frontend/dist/posthog 136 kB
frontend/dist/postiats 7.86 kB
frontend/dist/powerquery 16.9 kB
frontend/dist/powershell 3.27 kB
frontend/dist/PreflightCheck 5.53 kB
frontend/dist/product-tours.js 115 kB
frontend/dist/ProductTour 273 kB
frontend/dist/ProductTours 4.68 kB
frontend/dist/ProjectHomepage 24.7 kB
frontend/dist/protobuf 9.05 kB
frontend/dist/pug 4.82 kB
frontend/dist/python 4.76 kB
frontend/dist/qsharp 3.19 kB
frontend/dist/QueryPerformance 1.59 kB
frontend/dist/r 3.12 kB
frontend/dist/razor 9.35 kB
frontend/dist/recorder-v2.js 111 kB
frontend/dist/recorder.js 111 kB
frontend/dist/redis 3.55 kB
frontend/dist/redshift 11.8 kB
frontend/dist/RegionMap 29.4 kB
frontend/dist/render-query 20.5 MB
frontend/dist/ResourceTransfer 9.17 kB
frontend/dist/restructuredtext 3.9 kB
frontend/dist/RevenueAnalyticsScene 25.6 kB
frontend/dist/ruby 8.5 kB
frontend/dist/rust 4.16 kB
frontend/dist/SavedInsights 664 B
frontend/dist/sb 1.82 kB
frontend/dist/scala 7.32 kB
frontend/dist/scheme 1.76 kB
frontend/dist/scss 6.41 kB
frontend/dist/SdkDoctorScene 9.4 kB
frontend/dist/SessionAttributionExplorerScene 6.62 kB
frontend/dist/SessionGroupSummariesTable 4.62 kB
frontend/dist/SessionGroupSummaryScene 17 kB
frontend/dist/SessionProfileScene 15.8 kB
frontend/dist/SessionRecordingDetail 1.73 kB
frontend/dist/SessionRecordingFilePlaybackScene 4.46 kB
frontend/dist/SessionRecordings 742 B
frontend/dist/SessionRecordingsKiosk 8.84 kB
frontend/dist/SessionRecordingsPlaylistScene 4.14 kB
frontend/dist/SessionRecordingsSettingsScene 1.9 kB
frontend/dist/SessionsScene 3.86 kB
frontend/dist/SettingsScene 2.98 kB
frontend/dist/SharedMetric 4.83 kB
frontend/dist/SharedMetrics 549 B
frontend/dist/shell 3.07 kB
frontend/dist/SignupContainer 24.5 kB
frontend/dist/Site 1.18 kB
frontend/dist/solidity 18.6 kB
frontend/dist/sophia 2.76 kB
frontend/dist/SourcesScene 5.96 kB
frontend/dist/sourceWizardLogic 662 B
frontend/dist/sparql 2.55 kB
frontend/dist/sql 10.3 kB
frontend/dist/SqlVariableEditScene 7.24 kB
frontend/dist/st 7.4 kB
frontend/dist/StartupProgram 21.2 kB
frontend/dist/SubscriptionsScene 16.4 kB
frontend/dist/SupportSettingsScene 1.16 kB
frontend/dist/SupportTicketScene 23 kB
frontend/dist/SupportTicketsScene 733 B
frontend/dist/Survey 780 B
frontend/dist/SurveyFormBuilder 1.54 kB
frontend/dist/Surveys 18.2 kB
frontend/dist/surveys.js 90 kB
frontend/dist/SurveyWizard 64.2 kB
frontend/dist/swift 5.26 kB
frontend/dist/SystemStatus 16.8 kB
frontend/dist/systemverilog 7.61 kB
frontend/dist/TaskDetailScene 20.1 kB
frontend/dist/TaskTracker 13.2 kB
frontend/dist/tcl 3.57 kB
frontend/dist/TextCardMarkdownEditor 11 kB
frontend/dist/toolbar 10.6 MB
frontend/dist/toolbar.js 10.6 MB
frontend/dist/ToolbarLaunch 2.52 kB
frontend/dist/tracing-headers.js 1.74 kB
frontend/dist/TracingScene 29.3 kB
frontend/dist/TransformationsScene 1.91 kB
frontend/dist/tsMode 24 kB
frontend/dist/twig 5.97 kB
frontend/dist/TwoFactorReset 3.98 kB
frontend/dist/typescript 240 B
frontend/dist/typespec 2.82 kB
frontend/dist/Unsubscribe 1.62 kB
frontend/dist/UserInterview 4.53 kB
frontend/dist/UserInterviews 2.01 kB
frontend/dist/vb 5.79 kB
frontend/dist/VercelConnect 4.95 kB
frontend/dist/VercelLinkError 1.91 kB
frontend/dist/VerifyEmail 4.48 kB
frontend/dist/vimMode 211 kB
frontend/dist/VisualReviewRunScene 18.6 kB
frontend/dist/VisualReviewRunsScene 6.16 kB
frontend/dist/VisualReviewSettingsScene 10.6 kB
frontend/dist/web-vitals.js 6.39 kB
frontend/dist/WebAnalyticsScene 5.77 kB
frontend/dist/WebGLRenderer-DYjOwNoG 60.3 kB
frontend/dist/WebGPURenderer-B_wkl_Ja 36.3 kB
frontend/dist/WebScriptsScene 2.54 kB
frontend/dist/webworkerAll-puPV1rBA 324 B
frontend/dist/wgsl 7.34 kB
frontend/dist/Wizard 4.45 kB
frontend/dist/WorkflowScene 103 kB
frontend/dist/WorkflowsScene 46.9 kB
frontend/dist/WorldMap 4.73 kB
frontend/dist/xml 2.98 kB
frontend/dist/yaml 4.6 kB

compressed-size-action

@github-actions
Copy link
Copy Markdown
Contributor

github-actions bot commented Apr 9, 2026

🎭 Playwright report · View test results →

⚠️ 2 flaky tests:

  • Deleting an insight from dashboard redirects back (chromium)
  • Materialize view pane (chromium)

These issues are not necessarily caused by your changes.
Annoyed by this comment? Help fix flakies and failures and it'll disappear!

Sign up for free to join this conversation on GitHub. Already have an account? Sign in to comment

Labels

None yet

Projects

None yet

Development

Successfully merging this pull request may close these issues.

1 participant