To expand what Darina commented, splice the string before you post it on discord.
posted_string = str(wikipedia.search(query))[:2000]
embedVar = discord.Embed(title=str(query),
description=posted_string,
color=0x9CAFBE) await message.channel.send(embed=embedVar)
A 'string' is an array of characters. When you assign it to another variable by using [:2000], you're telling the interpreter to put all the characters from the beginning of the array up to, but not including, the 2000th character.
EDIT:
As Ironkey mentions in the comments, hardcoding values isn't viable since we don't know exactly how many characters an article has. Try this untested code instead:
wiki_string = str(wikipedia.search(query))
string_length = len(wiki_string)
if string_len < 2000:
embedVar = discord.Embed(title=str(query),
description=wiki_string,
color=0x9CAFBE)
await message.channel.send(embed=embedVar)
else:
max_index = 2000
index = 0
while index < (string_length - max_index):
posted_string = wiki_string[index:max_index]
embedVar = discord.Embed(title=str(query),
description=posted_string,
color=0x9CAFBE)
await message.channel.send(embed=embedVar)
index = index + max_index
posted_string = wiki_string[index-max_index:]
embedVar = discord.Embed(title=str(query),
description=wiki_string,
color=0x9CAFBE)
await message.channel.send(embed=embedVar)
If this doesn't work, please let me know where it failed. Thanks!