I'm getting this error on this line:
logger.debug(u'__call__ with full_name={}, email={}'.format(full_name, email))
Why?
The contents of the name variable is Gonçalves.
I'm getting this error on this line:
logger.debug(u'__call__ with full_name={}, email={}'.format(full_name, email))
Why?
The contents of the name variable is Gonçalves.
 
    
    The problem is that full_name is a str, not a unicode object.
# -*- coding: UTF-8 -*-
import logging
logging.basicConfig()
logger = logging.getLogger()
logger.warning('testing')
# unicode.format(str) raises an error
name = 'Gonçalves'
print type(name)
print name
try:
    message = u'{}'.format(name)
except UnicodeDecodeError as e:
    print e
# but logger(unicode) is fine
logging.warn(u'Gonçalves')
# so unicode.format(str.decode()) doesn't raise
name = 'Gonçalves'
print type(name)
print name
message = u'{}'.format(name.decode('utf-8'))
logging.warning(message)
# and neither does unicode.format(unicode)
name = u'Gonçalves'
print type(name)
print name
message = u'{}'.format(name)
logging.warning(message)
 
    
    This should fix your problem:
full_name, email = [unicode(x, 'utf-8') for x in [full_name, email]]
logger.debug(u'__call__ with full_name={}, email={}'.format(full_name, email))
The problem was that the default encoding of unicode strings is ASCII, which only supports 128 characters. Using UTF-8 will fix this problem.
Disclaimer This could be wrong on specifics, I code in py3 only. Learned all this in about 5 mins.
 
    
    I'm unburrying this old thread in order to propose a solution that adds a context filter to logger which in return makes sure every single string passed to logger will be an unicode string when using python 2.x.
TL:DR; see the end of the post for a ready to use solution
<!-- lang: python -->
# First, let's create a string to unicode failsafe function
def safe_string_convert(string):
"""
Allows to encode strings for hacky UTF-8 logging in python 2.7
"""
try:
    return string.decode('utf8')
except UnicodeDecodeError:
    try:
        return string.decode('unicode-escape')
    except Exception:
        try:
            return string.decode('latin1')
        except Exception:
            return(b"String cannot be decoded. Passing it as binary blob" + bytes(string))
# Create a logger contextFilter class that will fix encoding for Python 2
class ContextFilterWorstLevel(logging.Filter):
    """
    This class re-encodes strings passed to logger
    Allows to change default logging output or record events
    """
    def __init__(self):
        self._worst_level = logging.INFO
        if sys.version_info[0] < 3:
            super(logging.Filter, self).__init__()
        else:
            super().__init__()
    def filter(self, record):
        # type: (str) -> bool
        """
        A filter can change the default log output
        This one simply records the worst log level called
        """
        # Examples
        # record.msg = f'{record.msg}'.encode('ascii', errors='backslashreplace')
        # When using this filter, something can be added to logging.Formatter like '%(something)s'
        # record.something = 'value'
        # python 2.7 comapt fixes
        if sys.version_info[0] < 3:
            record.msg = safe_string_convert(record.msg)
        return True
#####
# Now let's create a new logger and try it
#####
log_filter = ContextFilterWorstLevel()
logger = logging.getLogger()
# Remove earlier handlers if exist
while _logger.handlers:
    _logger.handlers.pop()
# Add context filter
logger.addFilter(log_filter)
# Test
logger.info('Café non unicode string")
Ready to use solution: ofuntions.logger_utils package.
Install with pip install ofunctions.logger_utils
Usage:
from ofunctions.logger_utils import logger_get_logger
logger = logger_get_logger(log_file='somepath')
logger.info('Café non unicode')
Hope this will make python 2.x backporters life easier.
