solution.md 1.7 KB
Newer Older
每日一练社区's avatar
每日一练社区 已提交
1 2 3
# 结合两个字符串

写一个结合两个字符串的方法,从第一个字符串中取出一个字符,然后从第二个字符串中取出一个字符,以此类推。一旦一个字符串没有字符,它就应该继续使用另一个字符串
ToTensor's avatar
ToTensor 已提交
4

每日一练社区's avatar
每日一练社区 已提交
5
输入:两个字符串,如s1="day"和s2="time"
ToTensor's avatar
ToTensor 已提交
6

每日一练社区's avatar
每日一练社区 已提交
7 8
输出:一个结果字符串,对于上面的输入情况,它将是“dtaiyme”。

ToTensor's avatar
ToTensor 已提交
9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38
以下程序实现了这一功能,请你填补空白处的内容:

```cpp
#include <iostream>
#include <string>
using namespace std;
string StrCon(const string& a, const string& b)
{
	string c;
	int n = a.size(), m = b.size();
	if (0 == n)	return a;
	if (0 == m) return b;
	int i, j;
	for (i = 0, j = 0; i < n && j < m; ++i, ++j)
	{
		c += a[i];
		c += b[i];
	}
	__________________
	return c;
}
int main()
{
	string s = "day", t = "time";
	cout << StrCon(s, t) << endl;
	system("pause");
	return 0;
}
```

每日一练社区's avatar
每日一练社区 已提交
39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74
## template

```cpp
#include <iostream>
#include <string>
using namespace std;
string StrCon(const string& a, const string& b)
{
	string c;
	int n = a.size(), m = b.size();
	if (0 == n)	return a;
	if (0 == m) return b;
	int i, j;
	for (i = 0, j = 0; i < n && j < m; ++i, ++j)
	{
		c += a[i];
		c += b[i];
	}
	while (i < n)
		c += a[i++];
	while (j < m)
		c += b[j++];
	return c;
}
int main()
{
	string s = "day", t = "time";
	cout << StrCon(s, t) << endl;
	system("pause");
	return 0;
}
```

## 答案

```cpp
ToTensor's avatar
ToTensor 已提交
75 76 77 78
while (i < n)
	c += a[i++];
while (j < m)
	c += b[j++];
每日一练社区's avatar
每日一练社区 已提交
79 80 81 82 83 84 85
```

## 选项

### A

```cpp
ToTensor's avatar
ToTensor 已提交
86 87 88 89
while (i > n)
	c += a[i++];
while (j < m)
	c += b[j++];
每日一练社区's avatar
每日一练社区 已提交
90 91 92 93 94
```

### B

```cpp
ToTensor's avatar
ToTensor 已提交
95 96 97 98
while (i > n)
	c += a[i++];
while (j > m)
	c += b[j++];
每日一练社区's avatar
每日一练社区 已提交
99 100 101 102 103
```

### C

```cpp
ToTensor's avatar
ToTensor 已提交
104 105 106 107
while (i < n)
	c += a[i++];
while (j > m)
	c += b[j++];
每日一练社区's avatar
每日一练社区 已提交
108
```