Skip to main content

Grammar Checker

The /v1/checker endpoint checks the provided text for grammar and spelling errors.

Request

Endpoint

POST /v1/checker

Parameters

ParameterTypeDescription
textStringThe text to be checked for grammar and spelling errors.

Example Request

{
"text": "This is a dinasour."
}

Limits

Maximum length of input text is 60,000 characters.

Response

The response body will be a JSON object containing the following parameters:

ParameterTypeDescription
statusIntegerThe HTTP status code of the response.
alertsArray of ObjectsAn array containing objects with details about each alert found.
statsObjectAn object containing various statistics about the input text.

Alert Object

Each object in the "alerts" array contains:

ParameterTypeDescription
lengthIntegerThe length of the word that caused the alert.
offsetIntegerThe position in the text where the word that caused the alert starts.
messageStringA detailed message about the alert.
shortMessageStringA short summary of the alert.
categoryStringThe category of the alert (see 'Grammar categories' below)
replacementsArray of StringsAn array of suggested replacements, sorted by descending probability.

Stats Object

The "stats" object contains:

ParameterTypeDescription
wordsCountIntegerThe number of words in the input text.
charsCountIntegerThe number of characters in the input text.
sentencesCountIntegerThe number of sentences in the input text.
avgWordLengthFloatThe average length of a word in the input text.
avgSentenceLengthFloatThe average length of a sentence in the input text.
fleschIndexFloatThe Flesch readability score of the input text.
readingTimeSecondsIntegerThe estimated time it would take to read the input text.
speakingTimeSecondsIntegerThe estimated time it would take to speak the input text.
textScoreIntegerA score representing the quality of the input text (0-100).

Example Response

{
"status": 200,
"alerts": [
{
"length": 8,
"offset": 10,
"message": "Possible spelling mistake found.",
"shortMessage": "Spelling mistake",
"category": "Typos",
"replacements": [
"dinosaur"
]
}
],
"stats": {
"wordsCount": 4,
"charsCount": 16,
"sentencesCount": 1,
"avgWordLength": 3.75,
"avgSentenceLength": 4,
"fleschIndex": 75.87500000000001,
"readingTimeSeconds": 2,
"speakingTimeSeconds": 2,
"textScore": 6
}
}

Grammar Categories

Below are the various categories of grammar alerts that may be returned by the API:

Main Categories

Category KeyDescription
CASINGIncorrect use of upper and lower case letters
TYPOSSpelling mistakes
COMPOUNDINGIncorrect compounding of words
GRAMMARGrammatical errors
STYLEStyle issues (passive voice, verbosity, cliches)
COLLOCATIONSInappropriate word combinations
PUNCTUATIONIncorrect or missing punctuation
CONFUSED_WORDSCommonly confused words (e.g., "there"/"their")
NONSTANDARD_PHRASESNon-standard phrases in formal writing
REDUNDANCYRedundant phrases or words
SEMANTICSPotentially ambiguous semantic structures
PLAIN_ENGLISHPhrases that could be simplified
WIKIPEDIADirect quotes from Wikipedia
TYPOGRAPHYTypographic issues (hyphens, dashes)
CREATIVE_WRITINGCreative writing enhancement suggestions
REPETITIONS_STYLEWord or phrase repetitions
TON_ACADEMICNon-academic language or tone

Detailed Grammar Categories

For complex grammatical errors or language nuances:

Category KeyDescription
ADJAdjective issues
ADJ:FORMAdjective form issues
ADVAdverb issues
CONJConjunction issues
CONTRContraction issues
DETDeterminer issues
MORPHMorphology issues
NOUNNoun issues
NOUN:INFLNoun inflection issues
NOUN:NUMNoun number issues
NOUN:POSSNoun possession issues
ORTHOrthography issues
OTHEROther types of issues
PARTParticle issues
PREPPreposition issues
PRONPronoun issues
PUNCTPunctuation issues
SPELLSpelling issues
VERBVerb issues
VERB:FORMVerb form issues
VERB:TENSEVerb tense issues
VERB:SVASubject-verb agreement issues
VERB:INFLVerb inflection issues
WOWord order issues
UNKUnknown issues

Code Examples

TypeScript

import axios from 'axios';

async function checkGrammar(text: string, token: string) {
const response = await axios.post(
'https://api.linguix.com/api/v1/checker',
{
text: text,
},
{
headers: {
'Authorization': `Bearer ${token}`,
},
},
);
console.log(response.data);
}

checkGrammar('This is a dinasour.', '<your-token>');

Python

import requests
import json

def check_grammar(text, token):
headers = {
'Authorization': f'Bearer {token}',
}
data = {'text': text}
response = requests.post('https://api.linguix.com/api/v1/checker', headers=headers, json=data)
print(json.dumps(response.json(), indent=4))

check_grammar('This is a dinasour.', '<your-token>')

Java

import okhttp3.*;

public class Main {
public static void main(String[] args) throws Exception {
String text = "This is a dinasour.";
String token = "<your-token>";

OkHttpClient client = new OkHttpClient();
MediaType mediaType = MediaType.parse("application/json");
RequestBody body = RequestBody.create(mediaType, "{\"text\":\"" + text + "\"}");

Request request = new Request.Builder()
.url("https://api.linguix.com/api/v1/checker")
.post(body)
.addHeader("Authorization", "Bearer " + token)
.addHeader("Content-Type", "application/json")
.build();

Response response = client.newCall(request).execute();
System.out.println(response.body().string());
}
}