题目
让我们用字母B来表示“百”、字母S表示“十”,用“12...n”来表示个位数字n(<10),换个格式来输出任一个不超过3位的正整数。例如234应该被输出为BBSSS1234,因为它有2个“百”、3个“十”、以及个位的4。输入格式:每个测试输入包含1个测试用例,给出正整数n(<1000)。
输出格式:每个测试用例的输出占一行,用规定的格式输出n。
输入样例1:
234输出样例1:
BBSSS1234输入样例2:
23输出样例2:
SS123
解析
一位一位模拟即可
代码
C++解法
#include <algorithm> #include <iostream> #include <string> using namespace std; int main() { cin.sync_with_stdio(false); cin.tie(0); string s; cin >> s; int pos = s.size(); string ans = ""; for (char c : s) { int cnt = c -= '0'; for (int i = 1; i <= cnt; ++i) { if (pos == 3) ans += "B"; if (pos == 2) ans += "S"; if (pos == 1) ans += i + '0'; } --pos; } cout << ans << endl; return 0; }
Python解法
n = int(input()) print(('B' * ((n // 100) % 10)) + ('S' * ((n // 10) % 10)) + "".join([str(i) for i in range(1, (n % 10) + 1)]))
Java解法
import java.util.*; class Main { public static void main(String[] args) { Scanner in = new Scanner(System.in); String s = in.next(); String ans = ""; int pos = s.length(); for (int i = 0; i < s.length(); ++i) { int cnt = s.charAt(i) - '0'; for (int j = 1; j <= cnt; ++j) { if (pos == 3) ans += "B"; if (pos == 2) ans += "S"; if (pos == 1) ans += j; } --pos; } System.out.println(ans); in.close(); } }