For anyone stumbling on this in 2024, you can do this now 
The TL;DR:
- Set up a
fragment
for the type you want to share across queries/mutations
- Use this fragment in your queries/mutations
- Use the generated
fragment
type in your Swift code for functions accepting data of this type
- Convert the result from the query into the
fragment
type when passing the data from the relevant queries/mutations into the code accepting this data
Let’s base our example in the Linear API (explorer here).
Let’s first set up our fragment that we will resuse:
fragment IssueConnectionFragment on IssueConnection {
nodes {
id
identifier
dueDate
title
description
}
}
We’ll then use this fragment in two queries that.
The first one fetches the issues for the user:
query MyIssues (
$issuesFilter: IssueFilter
$issuesSort: [IssueSortInput!]
) {
issues(filter: $issuesFilter, sort: $issuesSort) {
...IssueConnectionFragment
}
}
The second one fetches the same data in a different location, from a custom view:
query CustomView(
$customViewId: String!
$issuesFilter: IssueFilter
$issuesSort: [IssueSortInput!]
) {
customView(id: $customViewId) {
issues(filter: $issuesFilter, sort: $issuesSort) {
...IssueConnectionFragment
}
}
}
And, then we generate our code as per the docs with ./apollo-ios-cli generate
.
We’ve now got access to the queries, as per usual, but also the generated fragment code. In our case here the type for that ends up being IssueConnectionFragment
.
Let’s create a function that transforms the query result into our own type, Issue
:
func transformToIssues(for issueConnection: IssueConnectionFragment) -> [Issue] {
var issues: [Issue] = []
for issue in issueConnection.nodes {
// Transform the data
}
return issues
}
But how do we pass the data to this function when our queries return different types? We use the fragments
property on the data, which
Contains accessors for all of the fragments the SelectionSet
can be converted to.
That’ll look something like this:
func myIssuesQuery() -> [Issue] {
let query = MyIssuesQuery( /* ... your variables ... */ )
guard let data = response.data else { /* Handle your error. */ return [] }
let issues: [Issue] = transformToIssues(
for: data.issues.fragments.issueConnectionFragment
)
return issues
}
func customViewQuery() -> [Issue] {
let query = CustomViewQuery( /* ... your variables ... */ )
guard let data = response.data else { /* Handle your error. */ return [] }
let issues: [Issue] = transformToIssues(
for: data.customView.issues.fragments.issueConnectionFragment
)
return issues
}
Our data is located in data.issues
, and we convert it into our fragment type via fragments.issueConnectionFragment
.
Voila! 