deploy orm django to a graphql API easily
Project description
Graphene-Django-Crud
Inspired by prisma-nexus and graphene-django-extras, This package turns the django orm into a graphql API.
- Installation
- Usage
- GrapheneDjangoCrud Class
- Utils
- Scalar filter
Installation
For installing graphene-django-crud, just run this command in your shell:
pip install graphene-django-crud
Usage
The GrapheneDjangoCrud class project a django model into a graphene type. The type also has fields to exposes the CRUD operations.
Example
In this example, you will be able to project the auth django models on your GraphQL API and expose the CRUD operations.
# schema.py
import graphene
from graphql import GraphQLError
from django.contrib.auth.models import User, Group
from graphene_django_crud.types import DjangoGrapheneCRUD, resolver_hints
class UserType(DjangoGrapheneCRUD):
class Meta:
model = User
exclude_fields = ("password",)
input_exclude_fields = ("last_login", "date_joined")
full_name = graphene.String()
@resolver_hints(
only=["first_name", "last_name"]
)
@staticmethod
def resolve_full_name(parent, info, **kwargs):
return parent.get_full_name()
@classmethod
def get_queryset(cls, parent, info, **kwargs):
if info.context.user.is_staff:
return User.objects.all()
else:
return User.objects.exclude(is_superuser=True)
@classmethod
def before_mutate(cls, parent, info, instance, data):
if not info.context.user.is_staff:
raise GraphQLError('not permited, only staff user')
if "password" in data.keys():
instance.set_password(data.pop("password"))
class GroupType(DjangoGrapheneCRUD):
class Meta:
model = Group
class Query(graphene.ObjectType):
me = graphene.Field(UserType)
user = UserType.ReadField()
users = UserType.BatchReadField()
group = GroupType.ReadField()
groups = GroupType.BatchReadField()
def resolve_me(parent, info, **kwargs):
if not info.context.user.is_authenticated:
return None
else:
return info.context.user
class Mutation(graphene.ObjectType):
user_create = UserType.CreateField()
user_update = UserType.UpdateField()
user_delete = UserType.DeleteField()
group_create = GroupType.CreateField()
group_update = GroupType.UpdateField()
group_delete = GroupType.DeleteField()
class Subscription(graphene.ObjectType):
user_created = UserType.CreatedField()
user_updated = UserType.UpdatedField()
user_deleted = UserType.DeletedField()
group_created = GroupType.CreatedField()
group_updated = GroupType.UpdatedField()
group_deleted = GroupType.DeletedField()
#signals.py
from .schema import UserType, GroupType
# Necessary for subscription fields
UserType.generate_signals()
GroupType.generate_signals()
And get the resulting GraphQL API:
toggle me
schema {
query: Query
mutation: Mutation
subscription: Subscription
}
scalar DateTime
input DatetimeFilter {
equals: DateTime
in: [DateTime]
isnull: Boolean
gt: DateTime
gte: DateTime
lt: DateTime
lte: DateTime
year: IntFilter
month: IntFilter
day: IntFilter
weekDay: IntFilter
hour: IntFilter
minute: IntFilter
second: IntFilter
}
type ErrorType {
field: String!
messages: [String!]!
}
input GroupCreateInput {
name: String!
userSet: UserCreateNestedManyInput
}
input GroupCreateNestedManyInput {
create: [GroupCreateInput]
connect: [GroupWhereInput]
}
type GroupMutationType {
ok: Boolean
errors: [ErrorType]
result: GroupType
}
type GroupNodeType {
count: Int
data: [GroupType]
}
input GroupOrderByInput {
id: OrderEnum
name: OrderEnum
user: UserOrderByInput
}
type GroupType {
id: ID!
name: String
userSet(where: UserWhereInput, limit: Int, offset: Int, orderBy: [UserOrderByInput]): UserNodeType!
}
input GroupUpdateInput {
name: String
userSet: UserUpdateNestedManyInput
}
input GroupUpdateNestedManyInput {
create: [GroupCreateInput]
delete: [GroupWhereInput]
connect: [GroupWhereInput]
disconnect: [GroupWhereInput]
}
input GroupWhereInput {
id: IntFilter
name: StringFilter
user: UserWhereInput
OR: [GroupWhereInput]
AND: [GroupWhereInput]
NOT: GroupWhereInput
}
input IntFilter {
equals: Int
in: [Int]
isnull: Boolean
gt: Int
gte: Int
lt: Int
lte: Int
contains: Int
startswith: Int
endswith: Int
regex: String
}
type Mutation {
userCreate(input: UserCreateInput!): UserMutationType
userUpdate(input: UserUpdateInput!, where: UserWhereInput!): UserMutationType
userDelete(where: UserWhereInput!): UserMutationType
groupCreate(input: GroupCreateInput!): GroupMutationType
groupUpdate(input: GroupUpdateInput!, where: GroupWhereInput!): GroupMutationType
groupDelete(where: GroupWhereInput!): GroupMutationType
}
enum OrderEnum {
ASC
DESC
}
type Query {
me: UserType
user(where: UserWhereInput!): UserType
users(where: UserWhereInput, limit: Int, offset: Int, orderBy: [UserOrderByInput]): UserNodeType
group(where: GroupWhereInput!): GroupType
groups(where: GroupWhereInput, limit: Int, offset: Int, orderBy: [GroupOrderByInput]): GroupNodeType
}
input StringFilter {
equals: String
in: [String]
isnull: Boolean
contains: String
startswith: String
endswith: String
regex: String
}
type Subscription {
userCreated(where: UserWhereInput): UserType
userUpdated(where: UserWhereInput): UserType
userDeleted(where: UserWhereInput): UserType
groupCreated(where: GroupWhereInput): GroupType
groupUpdated(where: GroupWhereInput): GroupType
groupDeleted(where: GroupWhereInput): GroupType
}
input UserCreateInput {
email: String
firstName: String
groups: GroupCreateNestedManyInput
isActive: Boolean
isStaff: Boolean
isSuperuser: Boolean
lastName: String
password: String!
username: String!
}
input UserCreateNestedManyInput {
create: [UserCreateInput]
connect: [UserWhereInput]
}
type UserMutationType {
ok: Boolean
errors: [ErrorType]
result: UserType
}
type UserNodeType {
count: Int
data: [UserType]
}
input UserOrderByInput {
dateJoined: OrderEnum
email: OrderEnum
firstName: OrderEnum
groups: GroupOrderByInput
id: OrderEnum
isActive: OrderEnum
isStaff: OrderEnum
isSuperuser: OrderEnum
lastLogin: OrderEnum
lastName: OrderEnum
username: OrderEnum
}
type UserType {
dateJoined: DateTime
email: String
firstName: String
groups(where: GroupWhereInput, limit: Int, offset: Int, orderBy: [GroupOrderByInput]): GroupNodeType!
id: ID!
isActive: Boolean
isStaff: Boolean
isSuperuser: Boolean
lastLogin: DateTime
lastName: String
username: String
fullName: String
}
input UserUpdateInput {
email: String
firstName: String
groups: GroupUpdateNestedManyInput
isActive: Boolean
isStaff: Boolean
isSuperuser: Boolean
lastName: String
password: String
username: String
}
input UserUpdateNestedManyInput {
create: [UserCreateInput]
delete: [UserWhereInput]
connect: [UserWhereInput]
disconnect: [UserWhereInput]
}
input UserWhereInput {
dateJoined: DatetimeFilter
email: StringFilter
firstName: StringFilter
groups: GroupWhereInput
id: IntFilter
isActive: Boolean
isStaff: Boolean
isSuperuser: Boolean
lastLogin: DatetimeFilter
lastName: StringFilter
username: StringFilter
OR: [UserWhereInput]
AND: [UserWhereInput]
NOT: UserWhereInput
}
Queries example:
query{
user(where: {id: {equals:1}}){
id
username
firstName
lastName
}
}
query{
users(
where: {
OR: [
{isStaff: true},
{isSuperuser: true},
{groups: {name: {equals: "admin"}}},
]
}
orderBy: [{username: ASC}],
limit: 100,
offset: 0
){
count
data{
id
username
firstName
lastName
groups{
count
data{
id
name
}
}
}
}
}
mutation{
groupCreate(
input: {
name: "admin",
userSet: {
create: [
{username: "woody", password: "raC4RjDU"},
],
connect: [
{id: {equals: 1}}
]
},
}
){
ok
result{
id
name
userSet{
count
data{
id
username
}
}
}
}
}
Computed Field
You can add computed fields using the standard Graphene API. However to optimize the SQL query you must specify "only", "select_related" necessary for the resolver using the resolver_hints decorator
class UserType(DjangoGrapheneCRUD):
class Meta:
model = User
full_name = graphene.String()
@resolver_hints(
only=["first_name", "last_name"]
)
@staticmethod
def resolve_full_name(parent, info, **kwargs):
return parent.get_full_name()
Filtering by user
To respond to several use cases, it is necessary to filter the logged in user. the graphene module gives access to the user from the context object in info arg. The "get_queryset" method which returns by default <model>.objects.all(), but it can be overloaded.
class UserType(DjangoGrapheneCRUD):
class Meta:
model = User
@classmethod
def get_queryset(cls, parent, info, **kwargs):
if info.context.user.is_staff:
return User.objects.all()
else:
return User.objects.exclude(is_superuser=True)
GrapheneDjangoCrud Class
Meta parameters
model (required parameter)
The model used for the definition type
max_limit
default : None
To avoid too large transfers, the max_limit parameter imposes a maximum number
of return items for batchreadField and nodeField. it imposes to use pagination.
If the value is None there is no limit.
only_fields / exclude_fields
Tuple of model fields to include/exclude in graphql type.
Only one of the two parameters can be declared.
input_only_fields / input_exclude_fields
Tuple of model fields to include/exclude in graphql create and update inputs type. Only one of the two parameters can be declared.
input_extend_fields
Field list to extend the create and update inputs. value must be a list of tuple (name: string, type: graphene.ObjectType) The parameter can be processed in the middleware functions (before_XXX / after_XXX).
example:
class UserType(DjangoGrapheneCRUD):
class Meta:
model = User
input_extend_fields = (
("fullName": graphene.String()),
)
@classmethod
def before_mutate(cls, parent, info, instance, data):
if "fullName" in data.keys():
instance.first_name = data["fullName"].split(" ")[0]
instance.last_name = data["fullName"].split(" ")[1]
...
where_only_fields / where_exclude_fields
Tuple of model fields to include/exclude in graphql where input type. Only one of the two parameters can be declared.
order_by_only_fields / order_by_exclude_fields
Tuple of model fields to include/exclude in graphql order_by input type. Only one of the two parameters can be declared.
Fields
The GrapheneDjangoCrud class contains configurable operation publishers that you use for exposing create, read, update, and delete mutations against your projected models
for mutating, relation fields may be connected with an existing record or a sub-create may be inlined (generally referred to as nested mutations). If the relation is a List then multiple connections or sub-creates are permitted.
Inlined mutations are very similar to top-level ones but have the important difference that the sub-create has excluded the field where supplying its relation to the type of parent Object being created would normally be. This is because a sub-create forces its record to relate to the parent one.
ReadField
Query field to allow clients to find one particular record at time of the respective model.
BatchReadField
Query field to allow clients to fetch multiple records at once of the respective model.
CreateField
Mutation field to allow clients to create one record at time of the respective model.
UpdateField
Mutation field to allow clients to update one particular record at time of the respective model.
DeleteField
Mutation field to allow clients to delete one particular record at time of the respective model.
CreatedField
Subscription field to allow customers to subscribe to the creatied of instances of the respective model.
UpdatedField
Subscription field to allow customers to subscribe to the updated of instances of the respective model.
DeletedField
Subscription field to allow customers to subscribe to the deleted of instances of the respective model.
Input Types
WhereInputType
Input type composed of the scalar filter of each readable fields of the model. The logical operators "OR", "AND", "NO" are also included. the returned arg can be used in queryset with function where_input_to_Q
OrderByInputType
Input type composed of the orderByEnum of each readable fields of the model.
CreateInputType
Input type composed of model fields without the id. If the field is not nullable, the graphene field is required.
UpdateInputType
Input type composed of each fields of the model. No fields are required.
overload methods
get_queryset(cls, parent, info, **kwargs)
@classmethod
def get_queryset(cls, parent, info, **kwargs):
return queryset_class
Default it returns "model.objects.all()", the overload is useful for applying filtering based on user. The method is more than a resolver, it is also called in nested request, fetch instances for mutations and subscription filter.
Middleware methode before_XXX(cls, parent, info, instance, data) / after_XXX(cls, parent, info, instance, data)
@classmethod
def before_mutate(cls, parent, info, instance, data):
pass
@classmethod
def before_create(cls, parent, info, instance, data):
pass
@classmethod
def before_update(cls, parent, info, instance, data):
pass
@classmethod
def before_delete(cls, parent, info, instance, data):
pass
@classmethod
def after_mutate(cls, parent, info, instance, data):
pass
@classmethod
def after_create(cls, parent, info, instance, data):
pass
@classmethod
def after_update(cls, parent, info, instance, data):
pass
@classmethod
def after_delete(cls, parent, info, instance, data):
pass
Methods called before or after a mutation. The "instance" argument is the
instance of the model that goes or has been modified retrieved from the "where"
argument of the mutation, or it's been created by the model constructor. The
"data" argument is a dict of the "input" argument of the mutation.
The method is also called in nested mutation.
Utils
@resolver_hints(only: list[str], select_related:list[str])
Each query uses "only", "select_related" and "prefetch_related" methods of queryset to get only the necessary attributes. To extend fields, the decorator informs the query set builder with its arguments which model attributes are needed to resolve the extended field.
show Computed field section for more informations
where_input_to_Q(where_input: dict) -> Q
In order to be able to reuse where input generated, the where_input_to_Q function transforms the returned argument into a Q object
example :
<model>.objects.filter(where_input_to_Q(where))
order_by_input_to_args(order_by_input: list[dict]) -> list[str]
In order to be able to reuse order_by input generated, the order_by_input_to_args function transforms the returned argument into args for order_by method of queryset.
example :
<model>.objects.all().order_by(order_by_input_to_args(where))
Scalar Filter
input StringFilter {
equals: String
in: [String]
isnull: Boolean
contains: String
startswith: String
endswith: String
regex: String
}
input IntFilter {
equals: Int
in: [Int]
isnull: Boolean
gt: Int
gte: Int
lt: Int
lte: Int
contains: Int
startswith: Int
endswith: Int
regex: String
}
input FloatFilter {
equals: Float
in: [Float]
isnull: Boolean
gt: Float
gte: Float
lt: Float
lte: Float
contains: Float
startswith: Float
endswith: Float
regex: String
}
input timeFilter {
equals: Time
in: [Time]
isnull: Boolean
gt: Time
gte: Time
lt: Time
lte: Time
hour: IntFilter
minute: IntFilter
second: IntFilter
}
input DateFilter {
equals: Date
in: [Date]
isnull: Boolean
gt: Date
gte: Date
lt: Date
lte: Date
year: IntFilter
month: IntFilter
day: IntFilter
weekDay: IntFilter
}
input DatetimeFilter {
equals: DateTime
in: [DateTime]
isnull: Boolean
gt: DateTime
gte: DateTime
lt: DateTime
lte: DateTime
year: IntFilter
month: IntFilter
day: IntFilter
weekDay: IntFilter
hour: IntFilter
minute: IntFilter
second: IntFilter
}
Project details
Release history Release notifications | RSS feed
Download files
Download the file for your platform. If you're not sure which to choose, learn more about installing packages.
Source Distribution
Built Distribution
Hashes for graphene-django-crud-1.2.0.tar.gz
Algorithm | Hash digest | |
---|---|---|
SHA256 | 7ea4936173086bd1e4c67338a39d385e55493f498ef6233b7096445be2d582ba |
|
MD5 | 384c7f38b179ab7e6dc9d2a4b2eeac93 |
|
BLAKE2b-256 | cf85b02e82f6e733f840ec082efb49ebb23130ad626635b331877e6643162216 |
Hashes for graphene_django_crud-1.2.0-py3-none-any.whl
Algorithm | Hash digest | |
---|---|---|
SHA256 | c4602bbe896b6ddaf9d834c6be7eebac81f66d61d4aa4006a4af66e62f4dad02 |
|
MD5 | 55d3c0ec60c190cce68efa92d67d9c95 |
|
BLAKE2b-256 | 6b264502eac4b4b3f82956c0a6b0e751b9c30338bea3df6bf139ddbd3ea1be3d |