def searchVisionCardsByAbility(self, user_name: str, user_id: str, search_text: str) -> [VisionCard]:
        """Search for and return all VisionCards matching the specified search text, for the given user. Returns an empty list if there are no matches.

        Set either the user name or the user ID, but not both. If the ID is set, the tab name for the lookup is done as an indirection through
        the access control spreadsheet to map the ID of the user to the correct tab. This is best for self-lookups, so that even if a user
        changes their own nickname, they are still reading their own data and not the data of, e.g., another user who has their old nickname.
        """
        if (user_name is not None) and (user_id is not None):
            print('internal error: both user_name and user_id specified. Specify one or the other, not both.')
            raise ExposableException('Internal error')
        if user_id is not None:
            user_name = AdminUtils.findAssociatedTab(self.spreadsheet_app, self.access_control_spreadsheet_id, user_id)
        party_ability_row_tuples = WorksheetUtils.fuzzyFindAllRows(
            self.spreadsheet_app, self.vision_card_spreadsheet_id, user_name, search_text, 'P', 2)
        bestowed_ability_row_tuples = WorksheetUtils.fuzzyFindAllRows(
            self.spreadsheet_app, self.vision_card_spreadsheet_id, user_name, search_text, 'Q', 2)
        if len(party_ability_row_tuples) == 0 and len(bestowed_ability_row_tuples) == 0:
            return []

        # Accumulate all the matching rows
        all_matching_row_numbers = set()
        for (row_number, _) in party_ability_row_tuples:
            all_matching_row_numbers.add(row_number)
        for (row_number, _) in bestowed_ability_row_tuples:
            all_matching_row_numbers.add(row_number)
        all_matching_row_numbers = sorted(all_matching_row_numbers)

        range_name = WorksheetUtils.safeWorksheetName(user_name) + '!B2:Q' # Fetch everything from below the header row, starting with the name
        result = self.spreadsheet_app.values().get(spreadsheetId=self.vision_card_spreadsheet_id, range=range_name).execute()
        all_rows = result.get('values', [])
        all_matching_vision_cards = []
        for row_number in all_matching_row_numbers:
            all_matching_vision_cards.append(self.__readVisionCardFromRawRow(all_rows[row_number - 1])) # -1 for the header row
        return all_matching_vision_cards
    def findAssociatedTab(spreadsheetApp, access_control_spreadsheet_id,
                          user_id):
        """Return the symbolic name of the user, to which the specified user ID (such as a Discord snowflake ID) is bound.

        In the context of the WOTV bot, this is also the name of the user-specific tabs in any/all associated spreadsheets.
        If the ID can't be found, an exception is raised with a safe error message that can be shown publicly in Discord.
        """
        # Discord IDs are in column A, the associated tab name is in column B
        range_name = WorksheetUtils.safeWorksheetName(
            AdminUtils.USERS_TAB_NAME) + '!A:B'
        rows = None
        try:
            values = spreadsheetApp.values().get(
                spreadsheetId=access_control_spreadsheet_id,
                range=range_name).execute()
            rows = values.get('values', [])
            if not rows:
                raise Exception('')
        except:
            # pylint: disable=raise-missing-from
            raise ExposableException(
                'Spreadsheet misconfigured'
            )  # deliberately low on details as this is replying in Discord.

        for row in rows:
            if str(row[0]) == str(user_id):
                return row[1]
        raise ExposableException(
            'User with ID {0} is not configured, or is not allowed to access this data. Ask your guild administrator for assistance.'
            .format(user_id))
    def isAdmin(spreadsheet_app, access_control_spreadsheet_id, user_id):
        """Return True if the specified user id has administrator permissions."""
        # Discord IDs are in column A, the associated tab name is in column B, and if 'Admin' is in column C, then it's an admin.
        range_name = WorksheetUtils.safeWorksheetName(
            AdminUtils.USERS_TAB_NAME) + '!A:C'
        rows = None
        try:
            values = spreadsheet_app.values().get(
                spreadsheetId=access_control_spreadsheet_id,
                range=range_name).execute()
            rows = values.get('values', [])
            if not rows:
                raise Exception('')
        except:
            # pylint: disable=raise-missing-from
            raise ExposableException(
                'Spreadsheet misconfigured'
            )  # deliberately low on details as this is replying in Discord.

        for row in rows:
            if str(row[0]) == str(user_id):
                result = (len(row) > 2 and row[2]
                          and row[2].lower() == 'admin')
                print('Admin check for user {0}: {1}'.format(user_id, result))
                return result
        return False
    def addUnitRow(self, user_id: str, unit_name: str, unit_url: str,
                   above_or_below: str, row_1_based: str, sandbox: str):
        """Add a new row for a unit.

        The above_or_below parameter needs to be either the string 'above' or 'below'. The row should be in 1-based notation,
        i.e. the first row is row 1, not row 0.
        If sandbox is True, uses a sandbox sheet so that the admin can ensure the results are good before committing to everyone.
        """
        if not AdminUtils.isAdmin(self.spreadsheet_app,
                                  self.access_control_spreadsheet_id, user_id):
            raise ExposableException(
                'You do not have permission to add a unit.')

        target_spreadsheet_id = None
        if sandbox:
            target_spreadsheet_id = self.sandbox_esper_resonance_spreadsheet_id
        else:
            target_spreadsheet_id = self.esper_resonance_spreadsheet_id
        spreadsheet = self.spreadsheet_app.get(
            spreadsheetId=target_spreadsheet_id).execute()

        allRequests = WorksheetUtils.generateRequestsToAddRowToAllSheets(
            spreadsheet,
            int(row_1_based),
            above_or_below,
            True,  # Set a header column...
            'B',  # ... On the second column (A1 notation)
            unit_name,  # With text content being the unit name
            unit_url)  # As a hyperlink to the unit URL
        requestBody = {'requests': [allRequests]}
        # Execute the whole thing as a batch, atomically, so that there is no possibility of partial update.
        self.spreadsheet_app.batchUpdate(spreadsheetId=target_spreadsheet_id,
                                         body=requestBody).execute()
        return
    def addEsperColumn(self, user_id: str, esper_name: str, esper_url: str,
                       left_or_right_of: str, columnA1: str, sandbox: bool):
        """Add a new column for an esper.

        The left_or_right_of parameter needs to be either the string 'left-of' or 'right-of'. The column should be in A1 notation.
        If sandbox is True, uses a sandbox sheet so that the admin can ensure the results are good before committing to everyone.
        """
        if not AdminUtils.isAdmin(self.spreadsheet_app,
                                  self.access_control_spreadsheet_id, user_id):
            raise ExposableException(
                'You do not have permission to add an esper.')

        target_spreadsheet_id = None
        if sandbox:
            target_spreadsheet_id = self.sandbox_esper_resonance_spreadsheet_id
        else:
            target_spreadsheet_id = self.esper_resonance_spreadsheet_id
        spreadsheet = self.spreadsheet_app.get(
            spreadsheetId=target_spreadsheet_id).execute()
        allRequests = WorksheetUtils.generateRequestsToAddColumnToAllSheets(
            spreadsheet,
            columnA1,
            left_or_right_of,
            True,  # Set a header row...
            1,  # ...On the second row (row index is zero-based)
            esper_name,  # With text content being the esper name
            esper_url)  # As a hyperlink to the esper URL
        requestBody = {'requests': [allRequests]}
        # Execute the whole thing as a batch, atomically, so that there is no possibility of partial update.
        self.spreadsheet_app.batchUpdate(spreadsheetId=target_spreadsheet_id,
                                         body=requestBody).execute()
        return
Esempio n. 6
0
 def finish(self):
     for coordinate in self.failed_verification_cells:
         full_cell_failed_verification = self.full_sheet[coordinate]
         WorksheetUtils.color_cell(full_cell_failed_verification, LIGHT_RED)
     for coordinate, value in self.verified_cells.items():
         verified_cell = self.terv_sheet[coordinate]
         verified_cell.value = value
         WorksheetUtils.color_cell(verified_cell, self.target_color)
     for coordinate in self.verified_presence_cells:
         verified_cell = self.terv_sheet[coordinate]
         WorksheetUtils.color_cell(verified_cell, self.target_color)
    def addUser(self, user_name: str) -> None:
        """Adds the user with the specified name by creating a new tab that duplicates the first tab in the spreadsheet.

        Raises an exception on failure. Otherwise, you may assume that the new sheet was successfully created.
        """
        spreadsheet = self.spreadsheet_app.get(
            spreadsheetId=self.esper_resonance_spreadsheet_id).execute()
        home_sheet_id = spreadsheet['sheets'][0]['properties']['sheetId']
        allRequests = [
            WorksheetUtils.generateRequestToDuplicateSheetInAlphabeticOrder(
                spreadsheet, home_sheet_id, user_name, True)
        ]  # True to skip the 'Home' tab, the first tab in the spreadsheet, for sorting purposes
        requestBody = {'requests': [allRequests]}
        # Execute the whole thing as a batch, atomically, so that there is no possibility of partial update.
        self.spreadsheet_app.batchUpdate(
            spreadsheetId=self.esper_resonance_spreadsheet_id,
            body=requestBody).execute()
        return
    def readVisionCardByName(self, user_name: str, user_id: str, vision_card_name: str) -> VisionCard:
        """Read and return a VisionCard containing the stats for the specified vision card name, for the given user.

        Set either the user name or the user ID, but not both. If the ID is set, the tab name for the lookup is done as an indirection through
        the access control spreadsheet to map the ID of the user to the correct tab. This is best for self-lookups, so that even if a user
        changes their own nickname, they are still reading their own data and not the data of, e.g., another user who has their old nickname.
        """
        if (user_name is not None) and (user_id is not None):
            print('internal error: both user_name and user_id specified. Specify one or the other, not both.')
            raise ExposableException('Internal error')
        if user_id is not None:
            user_name = AdminUtils.findAssociatedTab(self.spreadsheet_app, self.access_control_spreadsheet_id, user_id)
        row_number, _ = self.findVisionCardRow(user_name, vision_card_name)
        # We have the location. Get the value!
        range_name = WorksheetUtils.safeWorksheetName(user_name) + '!B' + str(row_number) + ':Q' + str(row_number)
        result = self.spreadsheet_app.values().get(spreadsheetId=self.vision_card_spreadsheet_id, range=range_name).execute()
        rows = result.get('values', [])
        if not rows:
            raise ExposableException('{0} is not tracking any data for vision card {1}'.format(user_name, vision_card_name))
        return self.__readVisionCardFromRawRow(rows[0])
    def setVisionCard(self, user_id: str, vision_card: VisionCard) -> None:
        """Copy the vision card data from the specified object into the spreadsheet."""
        user_name = AdminUtils.findAssociatedTab(self.spreadsheet_app, self.access_control_spreadsheet_id, user_id)
        row_index_1_based, _ = self.findVisionCardRow(user_name, vision_card.Name)
        spreadsheet = self.spreadsheet_app.get(spreadsheetId=self.vision_card_spreadsheet_id).execute()
        sheet_id = None
        for sheet in spreadsheet['sheets']:
            sheetTitle = sheet['properties']['title']
            if sheetTitle == user_name:
                sheet_id = sheet['properties']['sheetId']
                break
        if sheet_id is None:
            raise ExposableException(
                'Internal error: sheet not found for {0}.'.format(user_name))

        # Columns:
        # Name,Awakening,Level,Cost,HP,DEF,TP,SPR,AP,DEX,ATK,AGI,MAG,Luck,Party Ability,Bestowed Abilities
        # (B) ..........................................................................(Q)
        new_values = []
        # TODO: Write awakening and level once they are available
        new_values.append('') # Awakening
        new_values.append('') # Level
        new_values.append(VisionCardManager.valueOrEmpty(vision_card.Cost))
        new_values.append(VisionCardManager.valueOrEmpty(vision_card.HP))
        new_values.append(VisionCardManager.valueOrEmpty(vision_card.DEF))
        new_values.append(VisionCardManager.valueOrEmpty(vision_card.TP))
        new_values.append(VisionCardManager.valueOrEmpty(vision_card.SPR))
        new_values.append(VisionCardManager.valueOrEmpty(vision_card.AP))
        new_values.append(VisionCardManager.valueOrEmpty(vision_card.DEX))
        new_values.append(VisionCardManager.valueOrEmpty(vision_card.ATK))
        new_values.append(VisionCardManager.valueOrEmpty(vision_card.AGI))
        new_values.append(VisionCardManager.valueOrEmpty(vision_card.MAG))
        new_values.append(VisionCardManager.valueOrEmpty(vision_card.Luck))
        new_values.append(VisionCardManager.valueOrEmpty(vision_card.PartyAbility))
        new_values.append(VisionCardManager.toMultiLineString(vision_card.BestowedEffects))
        allRequests = [WorksheetUtils.generateRequestToSetRowText(sheet_id, row_index_1_based, 'C', new_values)]
        requestBody = {
            'requests': [allRequests]
        }
        # Execute the whole thing as a batch, atomically, so that there is no possibility of partial update.
        self.spreadsheet_app.batchUpdate(spreadsheetId=self.vision_card_spreadsheet_id, body=requestBody).execute()
Esempio n. 10
0
 def calculate_values(self):
     for row in self.sheet.iter_rows():
         for cell in row:
             if self.skip_resolvation:
                 self.cells[cell.coordinate] = cell.value
             else:
                 if cell.value is not None and isinstance(
                         cell.value, str) and cell.value.startswith("="):
                     logging.debug('Elkezdem feloldani a ' +
                                   str(cell.coordinate) +
                                   ' cella képletét: ' + str(cell.value))
                 if cell.coordinate == "AU3":
                     pass
                 self.cells[
                     cell.coordinate] = WorksheetUtils.resolve_reference(
                         self.workbook, cell.value, self.sheet)
                 if cell.value is not None and isinstance(
                         cell.value, str) and cell.value.startswith("="):
                     logging.debug('Feloldottam a ' + str(cell.coordinate) +
                                   ' cella képletét. Eredmény: ' +
                                   str(self.cells[cell.coordinate]))
 def addUser(spreadsheet_app,
             access_control_spreadsheet_id: str,
             user_name: str,
             user_id: str,
             is_admin: bool = False):
     """Add a user to the admin spreadsheet."""
     admin_string = ''
     if is_admin:
         admin_string = 'Admin'
     spreadsheet = spreadsheet_app.get(
         spreadsheetId=access_control_spreadsheet_id).execute()
     home_sheet_id = spreadsheet['sheets'][0]['properties']['sheetId']
     requestBody = {
         'requests': [
             WorksheetUtils.generateRequestToAppendRow(
                 home_sheet_id, [user_id, user_name, admin_string])
         ]
     }
     spreadsheet_app.batchUpdate(
         spreadsheetId=access_control_spreadsheet_id,
         body=requestBody).execute()
    def readResonance(self, user_name: str, user_id: str, unit_name: str,
                      esper_name: str):
        """Read and return the esper resonance, pretty unit name, and pretty esper name for the given (unit, esper) tuple, for the given user.

        Set either the user name or the user ID, but not both. If the ID is set, the tab name for the resonance lookup is done the
        same way as setResonance - an indirection through the access control spreadsheet is used to map the ID of the user to the
        correct tab. This is best for self-lookups, so that even if a user changes their own nickname, they are still reading their own data
        and not the data of, e.g., another user who has their old nickname.
        """
        if (user_name is not None) and (user_id is not None):
            print(
                'internal error: both user_name and user_id specified. Specify one or the other, not both.'
            )
            raise ExposableException('Internal error')
        if user_id is not None:
            user_name = AdminUtils.findAssociatedTab(
                self.spreadsheet_app, self.access_control_spreadsheet_id,
                user_id)

        esper_column_A1, pretty_esper_name = self.findEsperColumn(
            self.esper_resonance_spreadsheet_id, user_name, esper_name)
        unit_row, pretty_unit_name = self.findUnitRow(
            self.esper_resonance_spreadsheet_id, user_name, unit_name)

        # We have the location. Get the value!
        range_name = WorksheetUtils.safeWorksheetName(
            user_name) + '!' + esper_column_A1 + str(
                unit_row) + ':' + esper_column_A1 + str(unit_row)
        result = self.spreadsheet_app.values().get(
            spreadsheetId=self.esper_resonance_spreadsheet_id,
            range=range_name).execute()
        final_rows = result.get('values', [])

        if not final_rows:
            raise ExposableException(
                '{0} is not tracking any resonance for esper {1} on unit {2}'.
                format(user_name, pretty_esper_name, pretty_unit_name))

        return final_rows[0][0], pretty_unit_name, pretty_esper_name
    def addVisionCardRow(self, user_id: str, name: str, url: str, above_or_below: str, row_1_based: str):
        """Add a new row for a Vision Card.

        The above_or_below parameter needs to be either the string 'above' or 'below'. The row should be in 1-based notation,
        i.e. the first row is row 1, not row 0.
        """
        if not AdminUtils.isAdmin(self.spreadsheet_app, self.access_control_spreadsheet_id, user_id):
            raise ExposableException('You do not have permission to add a vision card.')

        spreadsheet = self.spreadsheet_app.get(spreadsheetId=self.vision_card_spreadsheet_id).execute()

        allRequests = WorksheetUtils.generateRequestsToAddRowToAllSheets(
            spreadsheet, int(row_1_based), above_or_below,
            True, # Set a header column...
            'B', # ... On the second column (A1 notation)
            name, # With text content being the vision card name
            url) # As a hyperlink to the url
        requestBody = {
            'requests': [allRequests]
        }
        # Execute the whole thing as a batch, atomically, so that there is no possibility of partial update.
        self.spreadsheet_app.batchUpdate(spreadsheetId=self.vision_card_spreadsheet_id, body=requestBody).execute()
        return
 def findUnitRow(self, document_id: str, user_name: str, search_text: str):
     """Performs a fuzzy lookup for a unit, returning the row number and the text from within the one matched cell."""
     return WorksheetUtils.fuzzyFindRow(self.spreadsheet_app, document_id,
                                        user_name, search_text, "B")
 def findEsperColumn(self, document_id: str, user_name: str,
                     search_text: str):
     """Performs a fuzzy lookup for an esper, returning the column (in A1 notation) and the text from within the one matched cell."""
     return WorksheetUtils.fuzzyFindColumn(self.spreadsheet_app,
                                           document_id, user_name,
                                           search_text, "2")
    def readResonanceList(self, user_name: str, user_id: str,
                          query_string: str):
        """Read and return the pretty name of the query subject (either a unit or an esper), and resonance list for the given user.

        Set either the user name or the user ID, but not both. If the ID is set, the tab name for the resonance lookup is done the
        same way as setResonance - an indirection through the access control spreadsheet is used to map the ID of the user to the
        correct tab. This is best for self-lookups, so that even if a user changes their own nickname, they are still reading their own data
        and not the data of, e.g., another user who has their old nickname.

        The returned list of resonances is either (unit/resonance) or (esper/resonance) tuples.
        """

        if (user_name is not None) and (user_id is not None):
            print(
                'internal error: both user_name and user_id specified. Specify one or the other, not both.'
            )
            raise ExposableException('Internal error')
        if user_id is not None:
            user_name = AdminUtils.findAssociatedTab(
                self.spreadsheet_app, self.access_control_spreadsheet_id,
                user_id)

        esper_column_A1 = None
        pretty_esper_name = None
        unit_row_index = None
        pretty_unit_name = None
        mode = None
        target_name = None

        # First try to look up a unit whose name matches.
        unit_lookup_exception_message = None
        try:
            unit_row_index, pretty_unit_name = self.findUnitRow(
                self.esper_resonance_spreadsheet_id, user_name, query_string)
            mode = 'for unit'
            target_name = pretty_unit_name
        except ExposableException as ex:
            unit_lookup_exception_message = ex.message

        # Try an esper lookup instead
        esper_lookup_exception_message = None
        if mode is None:
            try:
                esper_column_A1, pretty_esper_name = self.findEsperColumn(
                    self.esper_resonance_spreadsheet_id, user_name,
                    query_string)
                mode = 'for esper'
                target_name = pretty_esper_name
            except ExposableException as ex:
                esper_lookup_exception_message = ex.message

        # If neither esper or unit is found, fail now.
        if mode is None:
            raise ExposableException(
                'Unable to find a singular match for: ```{0}```\nUnit lookup results: {1}\nEsper lookup results: {2}'
                .format(query_string, unit_lookup_exception_message,
                        esper_lookup_exception_message))

        # Grab all the data in one call, so we can read everything at once and have atomicity guarantees.
        result = self.spreadsheet_app.values().get(
            spreadsheetId=self.esper_resonance_spreadsheet_id,
            range=WorksheetUtils.safeWorksheetName(user_name)).execute()
        result_rows = result.get('values', [])
        resonances = []
        if mode == 'for esper':
            esper_index = WorksheetUtils.fromA1(
                esper_column_A1) - 1  # 0-indexed in result
            rowCount = 0
            for row in result_rows:
                rowCount += 1
                if rowCount < 3:
                    # skip headers
                    continue
                # rows collapse to the left, so only the last non-empty column exists in the data
                if len(row) > esper_index:
                    # annnnd as a result, there might be a value to the right, while this column could be empty.
                    if row[esper_index]:
                        resonances.append(row[1] + ': ' + row[esper_index])
        else:  # mode == 'for unit'
            colCount = 0
            unit_row = result_rows[unit_row_index - 1]  # 0-indexed in result
            for column in unit_row:
                colCount += 1
                if colCount < 3:
                    # skip headers
                    continue
                if column:
                    # Grab the esper name from the top of this column, and then append the column value.
                    resonances.append(result_rows[1][colCount - 1] + ': ' +
                                      column)

        # Format the list nicely
        resultString = ''
        for resonance in resonances:
            resultString += resonance + '\n'
        resultString = resultString.strip()
        return (target_name, resultString)
    def setResonance(self, user_id: str, unit_name: str, esper_name: str,
                     resonance_numeric_string: str, priority: str,
                     comment: str):
        """Set the esper resonance.

        Returns the old value, new value, pretty unit name, and pretty esper name for the given (unit, esper) tuple, for the given user.
        """
        resonance_int = None
        try:
            resonance_int = int(resonance_numeric_string)
        except:
            # pylint: disable=raise-missing-from
            raise ExposableException('Invalid resonance level: "{0}"'.format(
                resonance_numeric_string
            ))  # deliberately low on details as this is replying publicly.
        if (resonance_int < 0) or (resonance_int > 10):
            raise ExposableException(
                'Resonance must be a value in the range 0 - 10')

        user_name = AdminUtils.findAssociatedTab(
            self.spreadsheet_app, self.access_control_spreadsheet_id, user_id)

        esper_column_A1, pretty_esper_name = self.findEsperColumn(
            self.esper_resonance_spreadsheet_id, user_name, esper_name)
        unit_row, pretty_unit_name = self.findUnitRow(
            self.esper_resonance_spreadsheet_id, user_name, unit_name)

        spreadsheet = self.spreadsheet_app.get(
            spreadsheetId=self.esper_resonance_spreadsheet_id).execute()
        sheetId = None
        for sheet in spreadsheet['sheets']:
            sheetTitle = sheet['properties']['title']
            if sheetTitle == user_name:
                sheetId = sheet['properties']['sheetId']
                break
        if sheetId is None:
            raise ExposableException(
                'Internal error: sheet not found for {0}.'.format(user_name))

        # We have the location. Get the old value first.
        range_name = WorksheetUtils.safeWorksheetName(
            user_name) + '!' + esper_column_A1 + str(
                unit_row) + ':' + esper_column_A1 + str(unit_row)
        result = self.spreadsheet_app.values().get(
            spreadsheetId=self.esper_resonance_spreadsheet_id,
            range=range_name).execute()
        final_rows = result.get('values', [])
        old_value_string = '(not set)'
        if final_rows:
            old_value_string = final_rows[0][0]

        # Now that we have the old value, try to update the new value.
        # If priority is blank, leave the level (high/medium/low) alone.
        if priority is not None:
            priority = priority.lower()
        priorityString = None
        if resonance_int == 10:
            priorityString = '10/10'
        elif (priority == 'l') or (priority == 'low') or (
                priority is None and 'low' in old_value_string.lower()):
            priorityString = EsperResonanceManager.RESONANCE_LOW_PRIORITY_VALUE_TEMPLATE.format(
                resonance_int)
        elif (priority == 'm') or (priority == 'medium') or (
                priority is None and 'medium' in old_value_string.lower()):
            priorityString = EsperResonanceManager.RESONANCE_MEDIUM_PRIORITY_VALUE_TEMPLATE.format(
                resonance_int)
        elif (priority == 'h') or (priority == 'high') or (
                priority is None and 'high' in old_value_string.lower()):
            priorityString = EsperResonanceManager.RESONANCE_HIGH_PRIORITY_VALUE_TEMPLATE.format(
                resonance_int)
        elif priority is None:
            # Priority not specified, and old value doesn't have high/medium/low -> old value was blank, or old value was 10.
            # Default to low priority.
            priorityString = EsperResonanceManager.RESONANCE_LOW_PRIORITY_VALUE_TEMPLATE.format(
                resonance_int)
        else:
            raise ExposableException(
                'Unknown priority value. Priority should be blank or one of "L", "low", "M", "medium", "H", "high"'
            )

        allRequests = [
            WorksheetUtils.generateRequestToSetCellText(
                sheetId, unit_row, esper_column_A1, priorityString)
        ]
        if comment:
            comment_text = comment
            if comment == '<blank>':  # Allow clearing the comment
                comment_text = None
            allRequests.append(
                WorksheetUtils.generateRequestToSetCellComment(
                    sheetId, unit_row, esper_column_A1, comment_text))
        requestBody = {'requests': [allRequests]}
        # Execute the whole thing as a batch, atomically, so that there is no possibility of partial update.
        self.spreadsheet_app.batchUpdate(
            spreadsheetId=self.esper_resonance_spreadsheet_id,
            body=requestBody).execute()
        return old_value_string, priorityString, pretty_unit_name, pretty_esper_name
        if (len(buffer) + len(line)) < DISCORD_MESSAGE_LENGTH_LIMIT:
            buffer += line
        else:
            result.append(buffer)
            buffer = line
    if len(buffer) > 0:
        result.append(buffer)
    return result


if __name__ == "__main__":
    discord_client = discord.Client()
    global_config = readConfig(CONFIG_FILE_PATH)
    global_config.wotv_bot_config.discord_client = discord_client
    global_config.wotv_bot_config.reminders = Reminders(REMINDERS_DB_PATH)
    global_config.wotv_bot_config.spreadsheet_app = WorksheetUtils.getSpreadsheetsAppClient(
    )
    wotv_bot = WotvBot(global_config.wotv_bot_config)
    logger = logging.getLogger('discord')
    logger.setLevel(logging.INFO)
    # logger.setLevel(logging.DEBUG)
    # handler = logging.FileHandler(filename='discord.log', encoding='utf-8', mode='w')
    handler = logging.StreamHandler()
    handler.setFormatter(
        logging.Formatter('%(asctime)s:%(levelname)s:%(name)s: %(message)s'))
    logger.addHandler(handler)


@discord_client.event
async def on_ready():
    """Hook automatically called by the discord client when login is complete."""
    print('Bot logged in: {0.user}'.format(discord_client))