给定一个整数 N,任务是找到最小长度的字符串,其每个字符的总和 (As a = 1, b = 2, … z = 26) 等于 N。
例子:
Input: N = 5
Output: e
5 can be represented as "aac" or "ad" or "e" etc
But we will take e as it is the minimum length
Input: N = 34
Output: zj
方法:
- 为了最小化字符串的长度,将使用贪婪方法。
- 通过贪婪的方法,解决方案将非常简单。
- 字符串的最小长度为
N/26 + 1 => if N % 26 != 0
N/26 => if N % 26 == 0
- 并且可以找到最小字符串为
(N/26 times z) + (N%26) => if N % 26 != 0
(N/26 times z) => if N % 26 == 0
下面是上述方法的实现:
C++
// C++ program to find the Minimum length String
// with Sum of the alphabetical values
// of the characters equal to N
#include
using namespace std;
// Function to find the minimum length
int minLength(int n)
{
int ans = n / 26;
if (n % 26 != 0)
ans++;
return ans;
}
// Function to find the minimum length String
string minString(int n)
{
int ans = n / 26;
string res = "";
while (ans--) {
res = res + "z";
}
if (n % 26 != 0) {
res = res
+ (char)((n % 26) + 96);
}
return res;
}
// Driver code
int main()
{
int n = 50;
cout << minLength(n)
<< endl
<< minString(n);
return 0;
}
Java
// Java program to find the Minimum length String
// with Sum of the alphabetical values
// of the characters equal to N
class GFG
{
// Function to find the minimum length
static int minLength(int n)
{
int ans = n / 26;
if (n % 26 != 0)
ans++;
return ans;
}
// Function to find the minimum length String
static String minString(int n)
{
int ans = n / 26;
String res = "";
while (ans-- != 0)
{
res = res + "z";
}
if (n % 26 != 0)
{
res = res + (char)((n % 26) + 96);
}
return res;
}
// Driver code
public static void main (String[] args)
{
int n = 50;
System.out.println(minLength(n));
System.out.println(minString(n));
}
}
// This code is contributed by AnkitRai01
Python3
# Python3 program to find the Minimum length String
# with Sum of the alphabetical values
# of the characters equal to N
# Function to find the minimum length
def minLength(n):
ans = n // 26
if (n % 26 != 0):
ans += 1
return ans
# Function to find the minimum length String
def minString(n):
ans = n // 26
res = ""
while (ans):
res = res + "z"
ans-=1
if (n % 26 != 0):
res = res + chr((n % 26) + 96)
return res
# Driver code
n = 50;
print(minLength(n))
print(minString(n))
# This code is contributed by Mohit Kumar
C#
// C# iprogram to find the Minimum length String
// with Sum of the alphabetical values
// of the characters equal to N
using System;
class GFG
{
// Function to find the minimum length
static int minLength(int n)
{
int ans = n / 26;
if (n % 26 != 0)
ans++;
return ans;
}
// Function to find the minimum length String
static String minString(int n)
{
int ans = n / 26;
String res = "";
while (ans-- != 0)
{
res = res + "z";
}
if (n % 26 != 0)
{
res = res + (char)((n % 26) + 96);
}
return res;
}
// Driver code
public static void Main (String[] args)
{
int n = 50;
Console.WriteLine(minLength(n));
Console.WriteLine(minString(n));
}
}
// This code is contributed by PrinciRaj1992
Javascript
输出:
2
zx