diff options
| -rw-r--r-- | bot/constants.py | 5 | ||||
| -rw-r--r-- | bot/exts/evergreen/stackoverflow.py | 86 | 
2 files changed, 91 insertions, 0 deletions
| diff --git a/bot/constants.py b/bot/constants.py index a64882db..49999725 100644 --- a/bot/constants.py +++ b/bot/constants.py @@ -195,6 +195,11 @@ class Emojis:      status_dnd = "<:status_dnd:470326272082313216>"      status_offline = "<:status_offline:470326266537705472>" +    stackoverflow_upvote = environ.get('stack_upvote', "<:stack_upvote:*>")  # TODO: Fill in numbers (ids) +    stackoverflow_tag = environ.get('stack_tag', "<:stack_tag:*> ") +    stackoverflow_views = environ.get('stack_views', "<:stack_eye:*>") +    stackoverflow_ans = environ.get('stack_ans', "<:stack_ans:*>") +  class Icons:      questionmark = "https://cdn.discordapp.com/emojis/512367613339369475.png" diff --git a/bot/exts/evergreen/stackoverflow.py b/bot/exts/evergreen/stackoverflow.py new file mode 100644 index 00000000..04126d9c --- /dev/null +++ b/bot/exts/evergreen/stackoverflow.py @@ -0,0 +1,86 @@ +import logging +from html import unescape +from urllib.parse import quote_plus + +from discord import Embed +from discord.errors import HTTPException +from discord.ext import commands + +from bot.constants import Colours, Emojis + +logger = logging.getLogger(__name__) + +BASE_URL = "https://api.stackexchange.com/2.2/search/advanced?order=desc&sort=activity&site=stackoverflow&q={query}" +SEARCH_URL = "https://stackoverflow.com/search?q={query}" +ERR_EMBED = Embed( +    title="Error in fetching results from Stackoverflow", +    description=( +        "Sorry, there was en error while trying to fetch data from the Stackoverflow website. Please try again in some " +        "time. If this issue persists, please contact the mods or send a message in #dev-contrib." +    ), +    color=Colours.soft_red +) + + +class Stackoverflow(commands.Cog): +    """A cog which returns the top 5 results of a query from stackoverflow.""" + +    def __init__(self, bot: commands.Bot): +        self.bot = bot + +    @commands.command(aliases=["so"]) +    @commands.cooldown(1, 15, commands.cooldowns.BucketType.user) +    async def stackoverflow(self, ctx: commands.Context, *, search_query: str) -> None: +        """Sends the top 5 results of a search query from stackoverflow.""" +        encoded_search_query = quote_plus(search_query) + +        for _ in range(3): +            async with self.bot.http_session.get(BASE_URL.format(query=encoded_search_query)) as response: +                if response.status == 200: +                    data = await response.json() +                    break +                else: +                    logger.error(f'Status code is not 200, it is {response.status}') +                    continue +        if response.status != 200:  # If the status is still not 200 after the 3 tries +            await ctx.send(embed=ERR_EMBED) +            return +        elif not data['items']: +            no_search_result = Embed( +                title=f"No search results found for {search_query!r}", +                color=Colours.soft_red +            ) +            await ctx.send(embed=no_search_result) +            return + +        top5 = data["items"][:5] +        embed = Embed(title=f"Search results for {search_query!r} - Stackoverflow", +                      url=SEARCH_URL.format(query=encoded_search_query), +                      description=f"Here are the top {len(top5)} results:", +                      color=Colours.orange) +        for item in top5: +            embed.add_field( +                name=f"{unescape(item['title'])}", +                value=(f"[{Emojis.stackoverflow_upvote} {item['score']}    " +                       f"{Emojis.stackoverflow_views} {item['view_count']}     " +                       f"{Emojis.stackoverflow_ans} {item['answer_count']}   " +                       f"{Emojis.stackoverflow_tag} {', '.join(item['tags'][:3])}]" +                       f"({item['link']})"), +                inline=False) +        embed.set_footer(text="View the original link for more results.") +        try: +            await ctx.send(embed=embed) +        except HTTPException: +            search_query_too_long = Embed( +                title="Your search query is too long, please try shortening your search query", +                color=Colours.soft_red +            ) +            await ctx.send(embed=search_query_too_long) + + +def setup(bot: commands.Bot) -> None: +    """Loads Stackoverflow Cog.""" +    bot.add_cog(Stackoverflow(bot)) + +# Upvote and Comment icon taken from Reddit bot +# Tag icon made by Freepik (https://www.flaticon.com/authors/freepik) from www.flaticon.com, and edited by me | 
