Python 입문 튜 토리 얼 2.문자열 기본 동작[연산,포맷 출력,상용 함수]<br>오리지널
1.문자열 표시 방법
>>> "www.jb51.net" # (') (")
'www.jb51.net'
>>> 'www.jb51.net'
'www.jb51.net'
>>> "www."+"jb51"+".net" # “+”
'www.jb51.net'
>>> "#"*10 # “*”
'##########'
>>> "What's your name?" # ,
"What's your name?"
>>> path = r"C:
ewfile" # r ,
>>> print(path)
C:
ewfile
2.문자열 연산
>>> str1 = "python test"
>>> "test" in str1 # in
True
>>> len(str1) # len()
11
>>> max(str1)
'y'
>>> min(str1)
' '
3.문자열 포맷 출력(format 함수 에 중점)
>>> "I like %s" % "python" # %
'I like python'
>>> dir(str) #
['__add__', '__class__', '__contains__', '__delattr__', '__dir__', '__doc__', '__eq__', '__format__', '__ge__', '__getattribute__', '__getitem__', '__getnewargs__', '__gt__', '__hash__', '__init__', '__init_subclass__', '__iter__', '__le__', '__len__', '__lt__', '__mod__', '__mul__', '__ne__', '__new__', '__reduce__', '__reduce_ex__', '__repr__', '__rmod__', '__rmul__', '__setattr__', '__sizeof__', '__str__', '__subclasshook__', 'capitalize', 'casefold', 'center', 'count', 'encode', 'endswith', 'expandtabs', 'find', 'format', 'format_map', 'index', 'isalnum', 'isalpha', 'isdecimal', 'isdigit', 'isidentifier', 'islower', 'isnumeric', 'isprintable', 'isspace', 'istitle', 'isupper', 'join', 'ljust', 'lower', 'lstrip', 'maketrans', 'partition', 'replace', 'rfind', 'rindex', 'rjust', 'rpartition', 'rsplit', 'rstrip', 'split', 'splitlines', 'startswith', 'strip', 'swapcase', 'title', 'translate', 'upper', 'zfill']
①format(*args,**kwargs)
*args 할당 사용
>>> str = "I like {1} and {2}" # {1} ( : {0} )
>>> str.format("python","PHP")
Traceback (most recent call last):
File "<pyshell#5>", line 1, in <module>
str.format("python","PHP")
IndexError: tuple index out of range
>>> str = "I like {0} and {1}"
>>> str.format("python","PHP")
'I like python and PHP'
>>> "I like {1} and {0}".format("python","PHP")
'I like PHP and python'
>>> "I like {0:20} and {1:>20}".format("python","PHP")#{0:20} 20 , 。{1:>20} 20 ,
'I like python and PHP'
>>> "I like {0:.2} and {1:^10.2}".format("python","PHP")#{0:.2} 2 , 。{1:^10.2} 10 , 2 ,^
'I like py and PH '
>>> "age: {0:4d} height: {1:6.2f}".format("32","178.55") # , , !
Traceback (most recent call last):
File "<pyshell#0>", line 1, in <module>
"age: {0:4d} height: {1:6.2f}".format("32","178.55")
ValueError: Unknown format code 'd' for object of type 'str'
>>> "age: {0:4d} height: {1:8.2f}".format(32,178.5523154) # 4d 4 , 。8.2f 8, 2 , 。
'age: 32 height: 178.55'
②format(*args,**kwargs)
**kwargs 할당 사용
>>> "I like {str1} and {str2}".format(str1 = "python",str2 ="PHP")
'I like python and PHP'
>>> data = {"str1":"PHP","str2":"Python"}
>>> "I like {str1} and {str2}".format(**data)
'I like PHP and Python'
소결:정렬 방식 은:<
왼쪽 정렬
>
오른쪽 정렬
^
가운데 정렬
4.문자열 함수
>>> # isalpha()
>>> str1 = "I like python" # str1
>>> str1.isalpha()
False
>>> str2 = "pythonDemo" #
>>> str2.isalpha()
True
>>> # split()
>>> smp = "I like Python"
>>> smp.split(" ")
['I', 'like', 'Python']
>>> # strip() , ,lstrip ,rstrip
>>> strDemo = " python demo "
>>> strDemo.strip() # php trim()
'python demo'
>>> "****python**".strip("*") #strip()
'python'
문자열 상용 함수[변환,판단]split()
분할 문자열strip()
문자열 양 끝 공백 제거upper()
대문자 로 바꾸다lower()
소문 자 를 돌리다capitalize()
이니셜title()
제목 모드 로 변환(문자열 의 모든 이니셜 대문자,기타 이니셜 소문 자)swapcase()
대문자 로 소문 자 돌리 기,소문 자로 대문자 돌리 기(예:"I Like Python".swapcase()i lIKE pYTHON 획득)isupper()
알파벳 이 모두 대문자 인지 아 닌 지 를 판단 하 다.islower()
알파벳 이 모두 소문 자인 지 아 닌 지 를 판단 하 다istitle()
제목 모드 인지 판단 하기(문자열 의 모든 단어 이니셜 대문자,기타 소문 자)isalpha()
문자열 이 모두 알파벳 인지 판단 하기isdigit()
문자열 이 모두 숫자 인지 판단 하기isalnum()
문자열 이 알파벳 과 숫자 만 포함 되 는 지 판단 합 니 다.
>>> # ( + )
>>> smp = "I like Python"
>>> c = smp.split(" ")
>>> c = "I like python".split()
>>> type(c) # , c
<class 'list'>
>>> "*".join(c)
'I*like*Python'
>>> " ".join(c)
'I like Python'
>>> " ".join(["I","Like","python"]) # join
'I Like python'
>>> " ".join("abcd") # join
'a b c d'
>>> # count()
>>> "like python,learn python".count("python")
2
>>> # find()
>>> "python Demo".find("python")
0
>>> "python Demo".find("Demo")
7
>>> # replace(old,new) (old) (new)
>>> "I like php".replace("php","python")
'I like python'
간단 한 입문 강좌~기본 한눈 에~O(∩∩)O~
미 완성 계속~~~토론 을 환영 합 니 다!!
이 내용에 흥미가 있습니까?
현재 기사가 여러분의 문제를 해결하지 못하는 경우 AI 엔진은 머신러닝 분석(스마트 모델이 방금 만들어져 부정확한 경우가 있을 수 있음)을 통해 가장 유사한 기사를 추천합니다:
Python의 None과 NULL의 차이점 상세 정보그래서 대상 = 속성 + 방법 (사실 방법도 하나의 속성, 데이터 속성과 구별되는 호출 가능한 속성 같은 속성과 방법을 가진 대상을 클래스, 즉 Classl로 분류할 수 있다.클래스는 하나의 청사진과 같아서 하나의 ...
텍스트를 자유롭게 공유하거나 복사할 수 있습니다.하지만 이 문서의 URL은 참조 URL로 남겨 두십시오.
CC BY-SA 2.5, CC BY-SA 3.0 및 CC BY-SA 4.0에 따라 라이센스가 부여됩니다.