没有内置方法将字符串转换为大写字母

时间:2017-04-22 10:08:32

标签: python function case-conversion

我正在尝试在字符串上执行从小写到大写的转换,而不使用任何内置函数(ord()和char()除外)。按照这里的不同主题提供的逻辑,我想出了这个。

app.config['MYSQL_DATABASE_CHARSET'] = 'utf8mb4'

但是我得到一个错误输出:TypeError:ord()需要一个字符,但找到长度为8的字符串。我在这里缺少什么?

7 个答案:

答案 0 :(得分:1)

您需要为输入字符串的每个字符执行ord()。而不是输入字符串:

def uppercase(str_data):
    return ''.join([chr(ord(char) - 32) for char in str_data if ord(char) >= 65])

print(uppercase('abcdé--#'))
>>> ABCDÉ

没有加入:

def uppercase(str_data):
    result = ''
    for char in str_data:
        if ord(char) >= 65:
            result += chr(ord(char) - 32)
    return result
print(uppercase('abcdé--#λ'))
>>> ABCDÉΛ

答案 1 :(得分:1)

如果您不想使用chr()ord(),我认为最好的方法是使用代表字母表的辅助字符串:

def toUppercase(s):
    alphabet = 'abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ'
    result = ''
    for x in s:
        if x not in alphabet or alphabet.index(x)>=26:
            result += x
        else:
            result += alphabet[alphabet.index(x)+26]
    return result

这也会处理标点符号,例如;.

更新

根据OP的要求,这是一个没有index()的版本:

def toUppercase(s):
    alphabet = 'abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ'
    result = ''
    for x in s:
        for pos in range(52):
            if alphabet[pos] == x:
                i = pos
        if x not in alphabet or i>=26:
            result += x
        else:
            result += alphabet[i+26]
    return result

print(toUppercase('abcdj;shjgh'))

答案 2 :(得分:1)

在不使用convert inbuilt

的情况下,将字符串function编程为大写
Str1=input("Enter the string to be converted uppercase: ")

for i in range (0,len(Str1)):

   x=ord(Str1[i])
   if x>=97 and x<=122:
       x=x-32
   y=chr(x)
   print(y,end="")

答案 3 :(得分:0)

ord() - 返回单字符串的Unicode代码点。

您必须发送一个字符串作为参数。在这里,您要发送字符串&#39; abcd&#39;它有4个字符导致问题。将每个字符分别发送到函数,从而对函数进行4次调用以获得结果。

答案 4 :(得分:0)

下面简化的代码有助于通过简单的计算将小写字母转换为大写字母

代码:

def toUppercase(string):
    convertedCharacter = ''
    for i in string: 
         convertCharacter += chr( ( (ord(i)) -32) ) 
    return convertCharacter

答案 5 :(得分:0)

char=input("Enter lowercase word :")
for letter in char:
    s=ord(letter)
    if s>=97 and s<=122:
        print(chr(s-32),end=" ")

答案 6 :(得分:0)

def uppercase(str_data):
   ord('str_data')
   str_data = str_data -32
   chr('str_data')
   return str_data
print(uppercase('abcd'))
在此代码中,

ord将单个字符作为参数,但是您给出了多个字符,这就是它显示错误的原因。一次获取一个字符,将其转换为大写并生成如下所示的单个字符串。

def convert_to_lower(string):
    new="" 
    for i in string:
       j=ord(i)-32  #we are taking the ascii value because the length of lower 
             #case to uppercase is 32 so we are subtracting 32

       if 97<=ord(i)<=122 :  #here we are checking whether the charecter is lower
                      # case or not if lowercase then only we are converting into
                      #uppercase
           new=new+chr(j)
       else:  #if the character is not the lowercase alplhaber we are taking as it is
           new=new+i
    print(new)

convert_to_lower("hello world")