Orig Description
Score : 400 points
Problem StatementGiven is a string S consisting of L and R.
Let N be the length of S. There are N squares arranged from left to right, and the i-th character of S from the left is written on the i-th square from the left.
The character written on the leftmost square is always R, and the character written on the rightmost square is always L.
Initially, one child is standing on each square.
Each child will perform the move below 10^{100} times:
Move one square in the direction specified by the character written in the square on which the child is standing. L denotes left, and R denotes right.
Find the number of children standing on each square after the children performed the moves.
Constraints
S is a string of length between 2 and 10^5 (inclusive).
Each character of S is L or R.
The first and last characters of S are R and L, respectively.
InputInput is given from Standard Input in the following format:
S
OutputPrint the number of children standing on each square after the children performed the moves, in order from left to right.
Sample Input 1RRLRL
Sample Output 10 1 2 1 1
After each child performed one move, the number of children standing on each square is 0, 2, 1, 1, 1 from left to right.
After each child performed two moves, the number of children standing on each square is 0, 1, 2, 1, 1 from left to right.
After each child performed 10^{100} moves, the number of children standing on each square is 0, 1, 2, 1, 1 from left to right.
Sample Input 2RRLLLLRLRRLL
Sample Output 20 3 3 0 0 0 1 1 0 2 2 0
Sample Input 3RRRLLRLLRRRLLLLL
Sample Output 30 0 3 2 0 2 1 0 0 0 4 4 0 0 0 0
Extracted Specification
An integer N (2 ≤ N ≤ 10^5), representing some quantity or size.
A string S of length N, where each character is either 'L' or 'R'. The first character is always 'R' and the last character is always 'L'.
### Example Input:
```
5
RRLRL
```
### Function Signature:
Write a function f(S: str):
```python
def f(S: str):
'''
S: a string
'''
```
Test Case Generator
Certainly! Here's a Python test case generator for the given competitive programming problem:
```python
import random
def tcgen():
# Length of the string S
N = random.randint(2, 10**5)
# Generate the string S where first character is 'R' and last character is 'L'
S = 'R' + ''.join(random.choice(['L', 'R']) for _ in range(N-2)) + 'L'
return S
# Example usage
if __name__ == "__main__":
test_case = tcgen()
print(test_case)
```
### Explanation:
1. **Length of String \( N \)**:
- A random length \( N \) is generated between 2 and \( 10^5 \) (inclusive).
2. **String \( S \)**:
- The first character of \( S \) is always 'R'.
- The last character of \( S \) is always 'L'.
- The characters in between are randomly chosen from ['L', 'R'].
This generator ensures that the constraints of the problem are met, and the generated test cases are valid for the given problem statement.