面试题44. 数字序列中某一位的数字
题目描述:数字以0123456789101112131415…的格式序列化到一个字符序列中。在这个序列中,第5位(从下标0开始计数)是5,第13位是1,第19位是4,等等。
请写一个函数,求任意第n位对应的数字。
示例 1:
输入:n = 3
输出:3
示例 2:
输入:n = 11
输出:0
限制:
0 <= n < 2^31
- 解题思路: 1.从位数为1开始统计不同的位数的数字所占的总位数,如0 - 9 一共占10位,10 - 99一共占180位…并进行累加,一旦累加的和超过给定的位数,可以找到目标数字的一个大概范围,再进一步进行分析。
#include <vector>
#include <string>
#include <iostream>
#include <math.h>
using namespace std;
//取得位数为index的数开头的第一个数
int getFst(int index)
{
if(index == 1)return 0;
return static_cast<int>(pow(10,index-1));
}
//最后取得指定位上的数字
int getTheNum(int num,int posi,int index)
{
int n = index - posi - 1;
for(int i = 0;i < n;i++){
num = num/10;
}
return num%10;
}
//位数为n的数一共有多少个
int cntOfIntegers(int n)
{
if(n == 1)return 10;
int resu = 1;
for(int i = 1;i != n;i++){
resu *= 10;
}
return 9*resu;
}
int numOnPosiN(int n)
{
//输入出错的情况
if(n < 0)return -1;
int index = 1;
while(true){
//cnt为位数为index的数一共所占的位数
int cnt = cntOfIntegers(index)*index;
if(n - cnt < 0){
//
int fst = getFst(index);
int pre = n/index;
int remain = n%index;
return getTheNum(fst+pre,remain,index);
}
n -= cnt;
index++;
}
//如果循环完毕还没有返回,说明出错返回-1
return -1;
}
int main()
{
cout << "Please enter a interger:" << endl;
int n;
while(cin >> n){
cout << numOnPosiN(n) << endl;
}
return 0;
}
面试题45. 把数组排成最小的数
题目描述: 输入一个正整数数组,把数组里所有数字拼接起来排成一个数,打印能拼接出的所有数字中最小的一个。例如输入数组{3,32,321},则打印出这三个数字能排成的最小数字为321323。
- 解题思路:对vector容器内的数据进行排序,按照 将a和b转为string后
若 a+b<b+a a排在在前 的规则排序,
如 2 21 因为 212 < 221 所以 排序后为 21 2
to_string() 可以将int 转化为string
class Solution {
public:
static bool cmp(int a,int b){
string A="";
string B="";
A+=to_string(a);
A+=to_string(b);
B+=to_string(b);
B+=to_string(a);
return A<B;
}
string PrintMinNumber(vector<int> numbers) {
string answer="";
sort(numbers.begin(),numbers.end(),cmp);
for(int i=0;i<numbers.size();i++){
answer+=to_string(numbers[i]);
}
return answer;
}
};
参考博客:
https://www.nowcoder.com/profile/4163181/codeBookDetail?submissionId=15577844