python3 how to creat alphabet

Python: How To Generate a List Of Letters In The Alphabet

 Method 1
# First we need to figure out the ASCII code of the alphabet letters # using the ord() function. >>> ord('a') 97 >>> ord('z') 122 # Get ASCII code for uppercase alphabet letters >>> ord('A') 65 >>> ord('Z') 90 # Create alphabet list of lowercase letters alphabet = [] for letter in range(97,123): alphabet.append(chr(letter)) >>> alphabet ['a', 'b', 'c', 'd', 'e', 'f', 'g', 'h', 'i', 'j', 'k', 'l', 'm', 'n', 'o', 'p', 'q', 'r', 's', 't', 'u', 'v', 'w', 'x', 'y', 'z'] # Create alphabet list of uppercase letters alphabet = [] for letter in range(65, 91): alphabet.append(chr(letter)) >>> alphabet ['A', 'B', 'C', 'D', 'E', 'F', 'G', 'H', 'I', 'J', 'K', 'L', 'M', 'N', 'O', 'P', 'Q', 'R', 'S', 'T', 'U', 'V', 'W', 'X', 'Y', 'Z']    # Use map to create lowercase alphabet alphabet = map(chr, range(97, 123)) >>> alphabet ['a', 'b', 'c', 'd', 'e', 'f', 'g', 'h', 'i', 'j', 'k', 'l', 'm', 'n', 'o', 'p', 'q', 'r', 's', 't', 'u', 'v', 'w', 'x', 'y', 'z'] # Use map to create uppercase alphabet alphabet = map(chr, range(65, 91)) >>> alphabet ['A', 'B', 'C', 'D', 'E', 'F', 'G', 'H', 'I', 'J', 'K', 'L', 'M', 'N', 'O', 'P', 'Q', 'R', 'S', 'T', 'U', 'V', 'W', 'X', 'Y', 'Z']    method 2
string.ascii_letters The concatenation of the ascii_lowercase and ascii_uppercase constants described below. This value is not locale-dependent. string.ascii_lowercase The lowercase letters 'abcdefghijklmnopqrstuvwxyz'. This value is not locale-dependent and will not change. string.ascii_uppercase The uppercase letters 'ABCDEFGHIJKLMNOPQRSTUVWXYZ'. This value is not locale-dependent and will not change   

  

猜你喜欢

转载自www.cnblogs.com/shuaihe/p/9027384.html