mirror of
https://github.com/hasura/graphql-engine.git
synced 2024-12-17 20:41:49 +03:00
e8e4f30dd6
Remote relationships are now supported on SQL Server and BigQuery. The major change though is the re-architecture of remote join execution logic. Prior to this PR, each backend is responsible for processing the remote relationships that are part of their AST. This is not ideal as there is nothing specific about a remote join's execution that ties it to a backend. The only backend specific part is whether or not the specification of the remote relationship is valid (i.e, we'll need to validate whether the scalars are compatible). The approach now changes to this: 1. Before delegating the AST to the backend, we traverse the AST, collect all the remote joins while modifying the AST to add necessary join fields where needed. 1. Once the remote joins are collected from the AST, the database call is made to fetch the response. The necessary data for the remote join(s) is collected from the database's response and one or more remote schema calls are constructed as necessary. 1. The remote schema calls are then executed and the data from the database and from the remote schemas is joined to produce the final response. ### Known issues 1. Ideally the traversal of the IR to collect remote joins should return an AST which does not include remote join fields. This operation can be type safe but isn't taken up as part of the PR. 1. There is a lot of code duplication between `Transport/HTTP.hs` and `Transport/Websocket.hs` which needs to be fixed ASAP. This too hasn't been taken up by this PR. 1. The type which represents the execution plan is only modified to handle our current remote joins and as such it will have to be changed to accommodate general remote joins. 1. Use of lenses would have reduced the boilerplate code to collect remote joins from the base AST. 1. The current remote join logic assumes that the join columns of a remote relationship appear with their names in the database response. This however is incorrect as they could be aliased. This can be taken up by anyone, I've left a comment in the code. ### Notes to the reviewers I think it is best reviewed commit by commit. 1. The first one is very straight forward. 1. The second one refactors the remote join execution logic but other than moving things around, it doesn't change the user facing functionality. This moves Postgres specific parts to `Backends/Postgres` module from `Execute`. Some IR related code to `Hasura.RQL.IR` module. Simplifies various type class function signatures as a backend doesn't have to handle remote joins anymore 1. The third one fixes partial case matches that for some weird reason weren't shown as warnings before this refactor 1. The fourth one generalizes the validation logic of remote relationships and implements `scalarTypeGraphQLName` function on SQL Server and BigQuery which is used by the validation logic. This enables remote relationships on BigQuery and SQL Server. https://github.com/hasura/graphql-engine-mono/pull/1497 GitOrigin-RevId: 77dd8eed326602b16e9a8496f52f46d22b795598
500 lines
20 KiB
Haskell
500 lines
20 KiB
Haskell
{-# LANGUAGE ViewPatterns #-}
|
|
|
|
-- | Validate input queries against remote schemas.
|
|
|
|
module Hasura.RQL.DDL.RemoteRelationship.Validate
|
|
( validateRemoteRelationship
|
|
, errorToText
|
|
) where
|
|
|
|
import Hasura.Prelude hiding (first)
|
|
|
|
import qualified Data.HashMap.Strict as HM
|
|
import qualified Data.HashSet as HS
|
|
import qualified Language.GraphQL.Draft.Syntax as G
|
|
|
|
import Data.Text.Extended
|
|
|
|
import Hasura.RQL.Types.Backend
|
|
import Hasura.RQL.Types.Column
|
|
import Hasura.RQL.Types.Common
|
|
import Hasura.RQL.Types.RemoteRelationship
|
|
import Hasura.RQL.Types.RemoteSchema
|
|
import Hasura.RQL.Types.SchemaCache
|
|
import Hasura.SQL.Backend
|
|
|
|
|
|
-- | An error validating the remote relationship.
|
|
data ValidationError (b :: BackendType)
|
|
= RemoteSchemaNotFound !RemoteSchemaName
|
|
| CouldntFindRemoteField !G.Name !G.Name
|
|
| FieldNotFoundInRemoteSchema !G.Name
|
|
| NoSuchArgumentForRemote !G.Name
|
|
| MissingRequiredArgument !G.Name
|
|
| TypeNotFound !G.Name
|
|
| TableNotFound !(TableName b)
|
|
| TableFieldNonexistent !(TableName b) !FieldName
|
|
| ExpectedTypeButGot !G.GType !G.GType
|
|
| InvalidType !G.GType !Text
|
|
| InvalidVariable !G.Name !(HM.HashMap G.Name (ColumnInfo b))
|
|
| NullNotAllowedHere
|
|
| InvalidGTypeForStripping !G.GType
|
|
| UnsupportedMultipleElementLists
|
|
| UnsupportedEnum
|
|
| InvalidGraphQLName !Text
|
|
| IDTypeJoin !G.Name
|
|
-- | This is the case where the type of the columns that are mapped do not
|
|
-- have a graphql representation. This case is probably not reachable as
|
|
-- having a db type which can't be representable in GraphQL should definitely
|
|
-- fail the entire schema generation process
|
|
| CannotGenerateGraphQLTypeName !(ScalarType b)
|
|
|
|
deriving instance Backend b => Eq (ValidationError b)
|
|
|
|
|
|
errorToText :: Backend b => ValidationError b -> Text
|
|
errorToText = \case
|
|
RemoteSchemaNotFound name ->
|
|
"remote schema with name " <> name <<> " not found"
|
|
CouldntFindRemoteField name ty ->
|
|
"remote field with name " <> name <<> " and type " <> ty <<> " not found"
|
|
FieldNotFoundInRemoteSchema name ->
|
|
"field with name " <> name <<> " not found in remote schema"
|
|
NoSuchArgumentForRemote name ->
|
|
"argument with name " <> name <<> " not found in remote schema"
|
|
MissingRequiredArgument name ->
|
|
"required argument with name " <> name <<> " is missing"
|
|
TypeNotFound ty ->
|
|
"type with name " <> ty <<> " not found"
|
|
TableNotFound name ->
|
|
"table with name " <> name <<> " not found"
|
|
TableFieldNonexistent table fieldName ->
|
|
"field with name " <> fieldName <<> " not found in table " <>> table
|
|
ExpectedTypeButGot expTy actualTy ->
|
|
"expected type " <> G.getBaseType expTy <<> " but got " <>> G.getBaseType actualTy
|
|
InvalidType ty err ->
|
|
"type " <> G.getBaseType ty <<> err
|
|
InvalidVariable var _ ->
|
|
"variable " <> var <<> " is not found"
|
|
NullNotAllowedHere ->
|
|
"null is not allowed here"
|
|
InvalidGTypeForStripping ty ->
|
|
"type " <> G.getBaseType ty <<> " is invalid for stripping"
|
|
UnsupportedMultipleElementLists ->
|
|
"multiple elements in list value is not supported"
|
|
UnsupportedEnum ->
|
|
"enum value is not supported"
|
|
InvalidGraphQLName t ->
|
|
t <<> " is not a valid GraphQL identifier"
|
|
IDTypeJoin typeName ->
|
|
"Only ID, Int, uuid or String scalar types can be joined to the ID type, but received " <>> typeName
|
|
CannotGenerateGraphQLTypeName typeName ->
|
|
"the name of the scalar type " <> toTxt typeName <>
|
|
" is not a valid GraphQL identifier, " <>
|
|
" so columns of such type cannot be used in a remote schema mapping "
|
|
|
|
-- | Validate a remote relationship given a context.
|
|
validateRemoteRelationship
|
|
:: forall b m
|
|
. (Backend b, MonadError (ValidationError b) m)
|
|
=> RemoteRelationship b
|
|
-> (RemoteSchemaInfo, IntrospectionResult)
|
|
-> [ColumnInfo b]
|
|
-> m (RemoteFieldInfo b)
|
|
validateRemoteRelationship remoteRelationship (remoteSchemaInfo, introspectionResult) pgColumns = do
|
|
let remoteSchemaName = rtrRemoteSchema remoteRelationship
|
|
table = rtrTable remoteRelationship
|
|
hasuraFields <- forM (toList $ rtrHasuraFields remoteRelationship) $
|
|
\fieldName -> onNothing (find ((==) fieldName . fromCol @b . pgiColumn) pgColumns) $
|
|
throwError $ TableFieldNonexistent table fieldName
|
|
pgColumnsVariables <- mapM (\(k,v) -> do
|
|
variableName <- pgColumnToVariable k
|
|
pure $ (variableName,v)
|
|
) $ HM.toList (mapFromL pgiColumn pgColumns)
|
|
let pgColumnsVariablesMap = HM.fromList pgColumnsVariables
|
|
let schemaDoc = irDoc introspectionResult
|
|
queryRootName = irQueryRoot introspectionResult
|
|
queryRoot <- onNothing (lookupObject schemaDoc queryRootName) $
|
|
throwError $ FieldNotFoundInRemoteSchema queryRootName
|
|
(_, (leafParamMap, leafTypeMap)) <-
|
|
foldlM
|
|
(buildRelationshipTypeInfo pgColumnsVariablesMap schemaDoc)
|
|
(queryRoot, (mempty, mempty))
|
|
(unRemoteFields $ rtrRemoteField remoteRelationship)
|
|
pure $ RemoteFieldInfo
|
|
{ _rfiName = rtrName remoteRelationship
|
|
, _rfiParamMap = leafParamMap
|
|
, _rfiHasuraFields = HS.fromList hasuraFields
|
|
, _rfiRemoteFields = rtrRemoteField remoteRelationship
|
|
, _rfiRemoteSchema = remoteSchemaInfo
|
|
-- adding the new input types after stripping the values of the
|
|
-- schema document
|
|
, _rfiInputValueDefinitions = HM.elems leafTypeMap
|
|
, _rfiRemoteSchemaName = remoteSchemaName
|
|
, _rfiTable = (table, rtrSource remoteRelationship)
|
|
}
|
|
where
|
|
getObjTyInfoFromField
|
|
:: RemoteSchemaIntrospection
|
|
-> G.FieldDefinition RemoteSchemaInputValueDefinition
|
|
-> Maybe (G.ObjectTypeDefinition RemoteSchemaInputValueDefinition)
|
|
getObjTyInfoFromField schemaDoc field =
|
|
let baseTy = G.getBaseType (G._fldType field)
|
|
in lookupObject schemaDoc baseTy
|
|
|
|
isValidType schemaDoc field =
|
|
let baseTy = G.getBaseType (G._fldType field)
|
|
in
|
|
case (lookupType schemaDoc baseTy) of
|
|
Just (G.TypeDefinitionScalar _) -> True
|
|
Just (G.TypeDefinitionInterface _) -> True
|
|
Just (G.TypeDefinitionUnion _) -> True
|
|
Just (G.TypeDefinitionEnum _) -> True
|
|
_ -> False
|
|
|
|
buildRelationshipTypeInfo
|
|
:: HashMap G.Name (ColumnInfo b)
|
|
-> RemoteSchemaIntrospection
|
|
-> (G.ObjectTypeDefinition RemoteSchemaInputValueDefinition,
|
|
( (HashMap G.Name RemoteSchemaInputValueDefinition)
|
|
, (HashMap G.Name (G.TypeDefinition [G.Name] RemoteSchemaInputValueDefinition))))
|
|
-> FieldCall
|
|
-> m ( G.ObjectTypeDefinition RemoteSchemaInputValueDefinition
|
|
, ( HashMap G.Name RemoteSchemaInputValueDefinition
|
|
, HashMap G.Name (G.TypeDefinition [G.Name] RemoteSchemaInputValueDefinition)))
|
|
buildRelationshipTypeInfo pgColumnsVariablesMap schemaDoc (objTyInfo,(_,typeMap)) fieldCall = do
|
|
objFldDefinition <- lookupField (fcName fieldCall) objTyInfo
|
|
let providedArguments = getRemoteArguments $ fcArguments fieldCall
|
|
(validateRemoteArguments
|
|
(mapFromL (G._ivdName . _rsitdDefinition) (G._fldArgumentsDefinition objFldDefinition))
|
|
providedArguments
|
|
pgColumnsVariablesMap
|
|
schemaDoc)
|
|
let eitherParamAndTypeMap =
|
|
runStateT
|
|
(stripInMap
|
|
remoteRelationship
|
|
schemaDoc
|
|
(mapFromL (G._ivdName . _rsitdDefinition) (G._fldArgumentsDefinition objFldDefinition))
|
|
providedArguments)
|
|
$ typeMap
|
|
(newParamMap, newTypeMap) <- onLeft eitherParamAndTypeMap $ throwError
|
|
innerObjTyInfo <- onNothing (getObjTyInfoFromField schemaDoc objFldDefinition) $
|
|
bool (throwError $
|
|
(InvalidType (G._fldType objFldDefinition) "only output type is expected"))
|
|
(pure objTyInfo)
|
|
(isValidType schemaDoc objFldDefinition)
|
|
pure
|
|
( innerObjTyInfo
|
|
, (newParamMap, newTypeMap))
|
|
|
|
-- | Return a map with keys deleted whose template argument is
|
|
-- specified as an atomic (variable, constant), keys which are kept
|
|
-- have their values modified by 'stripObject' or 'stripList'.
|
|
-- This function creates the 'HashMap G.Name G.InputValueDefinition' which modifies
|
|
-- the original input parameters (if any) of the remote node/table being used. Only
|
|
-- list or object types are preserved and other types are stripped off. The object or
|
|
-- list types are preserved because they can be merged, if any arguments are
|
|
-- provided by the user while querying a remote join field.
|
|
stripInMap
|
|
:: (Backend b)
|
|
=> RemoteRelationship b
|
|
-> RemoteSchemaIntrospection
|
|
-> HM.HashMap G.Name RemoteSchemaInputValueDefinition
|
|
-> HM.HashMap G.Name (G.Value G.Name)
|
|
-> StateT
|
|
(HashMap G.Name (G.TypeDefinition [G.Name] RemoteSchemaInputValueDefinition))
|
|
(Either (ValidationError b))
|
|
(HM.HashMap G.Name RemoteSchemaInputValueDefinition)
|
|
stripInMap remoteRelationship types schemaArguments providedArguments =
|
|
fmap
|
|
(HM.mapMaybe id)
|
|
(HM.traverseWithKey
|
|
(\name remoteInpValDef@(RemoteSchemaInputValueDefinition inpValInfo _preset) ->
|
|
case HM.lookup name providedArguments of
|
|
Nothing -> pure $ Just remoteInpValDef
|
|
Just value -> do
|
|
maybeNewGType <- stripValue remoteRelationship types (G._ivdType inpValInfo) value
|
|
pure
|
|
(fmap
|
|
(\newGType ->
|
|
let newInpValInfo = inpValInfo {G._ivdType = newGType}
|
|
in RemoteSchemaInputValueDefinition newInpValInfo Nothing
|
|
)
|
|
maybeNewGType))
|
|
schemaArguments)
|
|
|
|
-- | Strip a value type completely, or modify it, if the given value
|
|
-- is atomic-ish.
|
|
stripValue
|
|
:: (Backend b)
|
|
=> RemoteRelationship b
|
|
-> RemoteSchemaIntrospection
|
|
-> G.GType
|
|
-> G.Value G.Name
|
|
-> StateT
|
|
(HashMap G.Name (G.TypeDefinition [G.Name] RemoteSchemaInputValueDefinition))
|
|
(Either (ValidationError b))
|
|
(Maybe G.GType)
|
|
stripValue remoteRelationshipName types gtype value = do
|
|
case value of
|
|
G.VVariable {} -> pure Nothing
|
|
G.VInt {} -> pure Nothing
|
|
G.VFloat {} -> pure Nothing
|
|
G.VString {} -> pure Nothing
|
|
G.VBoolean {} -> pure Nothing
|
|
G.VNull {} -> pure Nothing
|
|
G.VEnum {} -> pure Nothing
|
|
G.VList values ->
|
|
case values of
|
|
[] -> pure Nothing
|
|
[gvalue] -> stripList remoteRelationshipName types gtype gvalue
|
|
_ -> lift (Left UnsupportedMultipleElementLists)
|
|
G.VObject keyPairs ->
|
|
fmap Just (stripObject remoteRelationshipName types gtype keyPairs)
|
|
|
|
-- | Produce a new type for the list, or strip it entirely.
|
|
stripList
|
|
:: (Backend b)
|
|
=> RemoteRelationship b
|
|
-> RemoteSchemaIntrospection
|
|
-> G.GType
|
|
-> G.Value G.Name
|
|
-> StateT
|
|
(HashMap G.Name (G.TypeDefinition [G.Name] RemoteSchemaInputValueDefinition))
|
|
(Either (ValidationError b))
|
|
(Maybe G.GType)
|
|
stripList remoteRelationshipName types originalOuterGType value =
|
|
case originalOuterGType of
|
|
G.TypeList nullability innerGType -> do
|
|
maybeNewInnerGType <- stripValue remoteRelationshipName types innerGType value
|
|
pure (G.TypeList nullability <$> maybeNewInnerGType)
|
|
_ -> lift (Left (InvalidGTypeForStripping originalOuterGType))
|
|
|
|
-- | Produce a new type for the given InpValInfo, modified by
|
|
-- 'stripInMap'. Objects can't be deleted entirely, just keys of an
|
|
-- object.
|
|
stripObject
|
|
:: (Backend b)
|
|
=> RemoteRelationship b
|
|
-> RemoteSchemaIntrospection
|
|
-> G.GType
|
|
-> HashMap G.Name (G.Value G.Name)
|
|
-> StateT
|
|
(HashMap G.Name (G.TypeDefinition [G.Name] RemoteSchemaInputValueDefinition))
|
|
(Either (ValidationError b))
|
|
G.GType
|
|
stripObject remoteRelationshipName schemaDoc originalGtype templateArguments =
|
|
case originalGtype of
|
|
G.TypeNamed nullability originalNamedType ->
|
|
case lookupType schemaDoc (G.getBaseType originalGtype) of
|
|
Just (G.TypeDefinitionInputObject originalInpObjTyInfo) -> do
|
|
let originalSchemaArguments =
|
|
mapFromL (G._ivdName . _rsitdDefinition) $ G._iotdValueDefinitions originalInpObjTyInfo
|
|
newNamedType =
|
|
renameNamedType
|
|
(renameTypeForRelationship remoteRelationshipName)
|
|
originalNamedType
|
|
newSchemaArguments <-
|
|
stripInMap
|
|
remoteRelationshipName
|
|
schemaDoc
|
|
originalSchemaArguments
|
|
templateArguments
|
|
let newInpObjTyInfo =
|
|
originalInpObjTyInfo
|
|
{ G._iotdValueDefinitions = HM.elems newSchemaArguments
|
|
, G._iotdName = newNamedType
|
|
}
|
|
newGtype = G.TypeNamed nullability newNamedType
|
|
modify (HM.insert newNamedType (G.TypeDefinitionInputObject newInpObjTyInfo))
|
|
pure newGtype
|
|
_ -> lift (Left (InvalidGTypeForStripping originalGtype))
|
|
_ -> lift (Left (InvalidGTypeForStripping originalGtype))
|
|
|
|
-- -- | Produce a new name for a type, used when stripping the schema
|
|
-- -- types for a remote relationship.
|
|
-- TODO: Consider a separator character to avoid conflicts. (from master)
|
|
renameTypeForRelationship :: (Backend b) => RemoteRelationship b -> Text -> Text
|
|
renameTypeForRelationship rtr text =
|
|
text <> "_remote_rel_" <> name
|
|
where name = toTxt (rtrTable rtr) <> remoteRelationshipNameToText (rtrName rtr)
|
|
|
|
-- | Rename a type.
|
|
renameNamedType :: (Text -> Text) -> G.Name -> G.Name
|
|
renameNamedType rename =
|
|
G.unsafeMkName . rename . G.unName
|
|
|
|
-- | Convert a field name to a variable name.
|
|
pgColumnToVariable
|
|
:: (Backend b, MonadError (ValidationError b) m)
|
|
=> (Column b)
|
|
-> m G.Name
|
|
pgColumnToVariable pgCol =
|
|
let pgColText = toTxt pgCol
|
|
in G.mkName pgColText `onNothing` throwError (InvalidGraphQLName pgColText)
|
|
|
|
-- | Lookup the field in the schema.
|
|
lookupField
|
|
:: (MonadError (ValidationError b) m)
|
|
=> G.Name
|
|
-> G.ObjectTypeDefinition RemoteSchemaInputValueDefinition
|
|
-> m (G.FieldDefinition RemoteSchemaInputValueDefinition)
|
|
lookupField name objFldInfo = viaObject objFldInfo
|
|
where
|
|
viaObject =
|
|
maybe (throwError (CouldntFindRemoteField name $ G._otdName objFldInfo)) pure .
|
|
lookup name .
|
|
HM.toList .
|
|
mapFromL G._fldName .
|
|
G._otdFieldsDefinition
|
|
|
|
-- | Validate remote input arguments against the remote schema.
|
|
validateRemoteArguments
|
|
:: (Backend b, MonadError (ValidationError b) m)
|
|
=> HM.HashMap G.Name RemoteSchemaInputValueDefinition
|
|
-> HM.HashMap G.Name (G.Value G.Name)
|
|
-> HM.HashMap G.Name (ColumnInfo b)
|
|
-> RemoteSchemaIntrospection
|
|
-> m ()
|
|
validateRemoteArguments expectedArguments providedArguments permittedVariables schemaDocument = do
|
|
traverse_ validateProvided (HM.toList providedArguments)
|
|
-- Not neccessary to validate if all required args are provided in the relationship
|
|
-- traverse validateExpected (HM.toList expectedArguments)
|
|
where
|
|
validateProvided (providedName, providedValue) =
|
|
case HM.lookup providedName expectedArguments of
|
|
Nothing -> throwError (NoSuchArgumentForRemote providedName)
|
|
Just (G._ivdType . _rsitdDefinition -> expectedType) ->
|
|
validateType permittedVariables providedValue expectedType schemaDocument
|
|
|
|
unwrapGraphQLType :: G.GType -> G.GType
|
|
unwrapGraphQLType = \case
|
|
G.TypeList _ lt -> lt
|
|
nt -> nt
|
|
|
|
-- | Validate a value against a type.
|
|
validateType
|
|
:: (Backend b, MonadError (ValidationError b) m)
|
|
=> HM.HashMap G.Name (ColumnInfo b)
|
|
-> G.Value G.Name
|
|
-> G.GType
|
|
-> RemoteSchemaIntrospection
|
|
-> m ()
|
|
validateType permittedVariables value expectedGType schemaDocument =
|
|
case value of
|
|
G.VVariable variable ->
|
|
case HM.lookup variable permittedVariables of
|
|
Nothing -> throwError (InvalidVariable variable permittedVariables)
|
|
Just fieldInfo -> do
|
|
namedType <- columnInfoToNamedType fieldInfo
|
|
isTypeCoercible (mkGraphQLType namedType) expectedGType
|
|
G.VInt {} -> do
|
|
let intScalarGType = mkGraphQLType intScalar
|
|
isTypeCoercible intScalarGType expectedGType
|
|
G.VFloat {} -> do
|
|
let floatScalarGType = mkGraphQLType floatScalar
|
|
isTypeCoercible floatScalarGType expectedGType
|
|
G.VBoolean {} -> do
|
|
let boolScalarGType = mkGraphQLType boolScalar
|
|
isTypeCoercible boolScalarGType expectedGType
|
|
G.VNull -> throwError NullNotAllowedHere
|
|
G.VString {} -> do
|
|
let stringScalarGType = mkGraphQLType stringScalar
|
|
isTypeCoercible stringScalarGType expectedGType
|
|
G.VEnum _ -> throwError UnsupportedEnum
|
|
G.VList values -> do
|
|
case values of
|
|
[] -> pure ()
|
|
[_] -> pure ()
|
|
_ -> throwError UnsupportedMultipleElementLists
|
|
assertListType expectedGType
|
|
for_
|
|
values
|
|
(\val ->
|
|
validateType permittedVariables val (unwrapGraphQLType expectedGType) schemaDocument)
|
|
G.VObject values ->
|
|
for_
|
|
(HM.toList values)
|
|
(\(name,val) ->
|
|
let expectedNamedType = G.getBaseType expectedGType
|
|
in
|
|
case lookupType schemaDocument expectedNamedType of
|
|
Nothing -> throwError $ TypeNotFound expectedNamedType
|
|
Just typeInfo ->
|
|
case typeInfo of
|
|
G.TypeDefinitionInputObject inpObjTypeInfo ->
|
|
let objectTypeDefnsMap =
|
|
mapFromL (G._ivdName . _rsitdDefinition) $ (G._iotdValueDefinitions inpObjTypeInfo)
|
|
in
|
|
case HM.lookup name objectTypeDefnsMap of
|
|
Nothing -> throwError $ NoSuchArgumentForRemote name
|
|
Just (G._ivdType . _rsitdDefinition -> expectedType) ->
|
|
validateType permittedVariables val expectedType schemaDocument
|
|
_ -> do
|
|
throwError $ InvalidType (mkGraphQLType name) "not an input object type")
|
|
where
|
|
mkGraphQLType =
|
|
G.TypeNamed (G.Nullability False)
|
|
|
|
isTypeCoercible
|
|
:: (MonadError (ValidationError b) m)
|
|
=> G.GType
|
|
-> G.GType
|
|
-> m ()
|
|
isTypeCoercible actualType expectedType =
|
|
-- The GraphQL spec says that, a singleton type can be coerced into an array
|
|
-- type. Which means that if the 'actualType' is a singleton type, like
|
|
-- 'Int' we should be able to join this with a remote node, which expects an
|
|
-- input argument of type '[Int]'
|
|
-- http://spec.graphql.org/June2018/#sec-Type-System.List
|
|
let (actualBaseType, actualNestingLevel) = getBaseTyWithNestedLevelsCount actualType
|
|
(expectedBaseType, expectedNestingLevel) = getBaseTyWithNestedLevelsCount expectedType
|
|
in
|
|
if | expectedBaseType == $$(G.litName "ID") ->
|
|
bool (throwError $ IDTypeJoin actualBaseType)
|
|
(pure ())
|
|
-- Check under `Input Coercion` https://spec.graphql.org/June2018/#sec-ID
|
|
-- We can also include the `ID` type in the below list but it will be
|
|
-- extraneous because at the time of writing this, we don't generate
|
|
-- the `ID` type in the DB schema
|
|
(G.unName actualBaseType `elem`
|
|
["ID", "Int", "String", "bigint", "smallint" , "uuid"])
|
|
| actualBaseType /= expectedBaseType -> raiseValidationError
|
|
-- we cannot coerce two types with different nesting levels,
|
|
-- for example, we cannot coerce [Int] to [[Int]]
|
|
| (actualNestingLevel == expectedNestingLevel || actualNestingLevel == 0) -> pure ()
|
|
| otherwise -> raiseValidationError
|
|
where
|
|
raiseValidationError = throwError $ ExpectedTypeButGot expectedType actualType
|
|
|
|
assertListType
|
|
:: (MonadError (ValidationError b) m)
|
|
=> G.GType
|
|
-> m ()
|
|
assertListType actualType =
|
|
unless (G.isListType actualType)
|
|
(throwError $ InvalidType actualType "is not a list type")
|
|
|
|
-- | Convert a field info to a named type, if possible.
|
|
columnInfoToNamedType
|
|
:: forall b m .
|
|
(Backend b, MonadError (ValidationError b) m)
|
|
=> ColumnInfo b
|
|
-> m G.Name
|
|
columnInfoToNamedType pci =
|
|
case pgiType pci of
|
|
ColumnScalar scalarType ->
|
|
onLeft (scalarTypeGraphQLName @b scalarType)
|
|
(const $ throwError $ CannotGenerateGraphQLTypeName scalarType)
|
|
_ -> throwError UnsupportedEnum
|
|
|
|
getBaseTyWithNestedLevelsCount :: G.GType -> (G.Name, Int)
|
|
getBaseTyWithNestedLevelsCount ty = go ty 0
|
|
where
|
|
go :: G.GType -> Int -> (G.Name, Int)
|
|
go gType ctr =
|
|
case gType of
|
|
G.TypeNamed _ n -> (n, ctr)
|
|
G.TypeList _ gType' -> go gType' (ctr + 1)
|