1.请输入高度 h,输出一个高为 h,上底边长为 h 的等腰梯形(同 * 表示)。
C++
#include <iostream>
using namespace std;
int main()
{
int h;
cout<<"input h:"<<endl;
cin>>h;
for(int i=1;i<=h;i++)
{
for(int j=1;j<=3*h-2;j++)
{
if(j>=h-(i-1)&&j<=(2*h-1)+(i-1))
{
cout<<"*";
}
else
{
cout<<" ";
}
}
cout<<endl;
}
return 0;
}
Go
package exam2001b
import "fmt"
//Trapezoidal is used to output a trapezoidal
func Trapezoidal(h int) {
for i := 1; i <= h; i++ {
for j := 1; j <= 3*h-2; j++ {
if j >= h-(i-1) && j <= (2*h-1)+(i-1) {
fmt.Printf("*")
} else {
fmt.Printf(" ")
}
}
fmt.Println()
}
}
2.请编写一个程序,从键盘上输入 n( n 的范围是 1~20 ),求 n 的阶乘。
C++
#include <iostream>
using namespace std;
int main()
{
int n;
double s=1; //20的阶乘会超出整型的范围
cin>>n;
for(int i=1;i<=n;i++)
{
s=s*i;
}
cout<<"阶乘是:"<<s<<endl;
return 0;
}
Go
package exam2001b
import "fmt"
//Factorial is used to compute the factorial of a number
func Factorial(n int64) {
var s, i int64
s = 1
for i = 1; i <= n; i++ {
s *= i
}
fmt.Printf("%d 的阶乘是:%d", n, s)
}
3.从键盘上任意输入一个长度不超过 20 的字符串,对所输入的字符串,按照 ASCII 码的大小从小到大进行排序,请输出排序后的结果。
C++
#include <iostream>
#include <algorithm>
using namespace std;
int main()
{
string s,s1;
cin>>s;
sort(s.begin(),s.end());
cout<<s<<endl;
}
Go
package exam2001b
import (
"fmt"
"sort"
)
//Str is string
type Str string
func (s *Str) Len() int {
return len(*s)
}
func (s *Str) Less(i, j int) bool {
s1 := []byte(*s)
return s1[i] < s1[j]
}
func (s *Str) Swap(i, j int) {
s1 := []byte(*s)
s1[i], s1[j] = s1[j], s1[i]
*s = Str(s1)
}
//StringSort is used to sort a string
func StringSort(s Str) {
sort.Sort(&s)
fmt.Println(s)
}