Computer >> 컴퓨터 >  >> 프로그램 작성 >> Python

문자열 회전을 위한 Python의 문자열 슬라이싱

<시간/>

문자열이 주어졌을 때 우리의 임무는 문자열을 두 가지로 나누는 것입니다. 하나는 시계 방향이고 다른 하나는 시계 반대 방향입니다.

1. 왼쪽(또는 시계 반대 방향)으로 주어진 문자열을 d 요소만큼 회전합니다(d <=n).

2. 주어진 문자열을 d 요소만큼(여기서 d <=n) 오른쪽(또는 시계 방향)으로 회전합니다.

Input: string = "pythonprogram"
d = 2
Output: Left Rotation: thonprogrampy
Right Rotation: ampythonprogr

알고리즘

Step 1: Enter string.
Step 2: Separate string in two parts first & second, for Left rotation Lfirst = str[0 : d] and Lsecond = str[d :]. For Right rotation Rfirst = str[0 : len(str)-d] and Rsecond = str[len(str)-d : ].
Step 3: Now concatenate these two parts second + first accordingly.

예시 코드

def rotate(input,d):
   # Slice string in two parts for left and right
   Lfirst = input[0 : d]
   Lsecond = input[d :]
   Rfirst = input[0 : len(input)-d]
   Rsecond = input[len(input)-d : ]
   print ("Left Rotation : ", (Lsecond + Lfirst) )
      print ("Right Rotation : ", (Rsecond + Rfirst) )
      # Driver program
   if __name__ == "__main__":
      str = input("Enter String ::>")
d=2
rotate(str,d)

출력

Enter String ::> pythonprogram
Left Rotation: thonprogrampy
Right Rotation: ampythonprogr