我想编写一个函数,将两个字符串相加,一个以MM:ss格式,另一个以秒为单位给出,然后进行加法(注意额外的秒数)以相同的格式返回它们,并且精度最高。 //例如:“ 1:30” +“ 65” =“ 2:35”
我已经尝试过了,但是我认为可以使其更通用,请参见代码
public static string maxLevel(string s1, string s2)
{
string[] parts1 = null;
string[] parts2 = null;
if (s1.Contains(":"))
{
parts1 = s1.Split(':');
}
if (s2.Contains(":"))
{
parts2 = s2.Split(':');
}
int minutes1 = 0;
int seconds1 = 0;
int minutes2;
int seconds2 = 0;
int newSeconds = 0;
int newMinutes = 0;
int carry = 0;
if (parts1 != null && parts1.Length > 1)
{
minutes1 = Convert.ToInt32(parts1[0]);
// int HoursInminutes = (12 + (minutes % 60)) * 60;
seconds1 = Convert.ToInt32(parts1[1]);
}
else
{
seconds1 = Convert.ToInt32(s1);
int minutes = seconds1 / 60;
if (minutes >= 1)
{
carry = seconds1 - 60;
//newSeconds = seconds2 + carry;
}
newMinutes = minutes;
newSeconds = carry;
}
if (parts2 != null && parts2.Length > 1)
{
minutes2 = Convert.ToInt32(parts2[0]);
seconds2 = Convert.ToInt32(parts2[1]);
//newMinutes = minutes2;
newMinutes += minutes2;
newSeconds += seconds2;
}
else
{
seconds2 = Convert.ToInt32(s2);
int minutes = seconds2/60;
if(minutes >= 1)
{
carry = seconds2 - 60;
newSeconds = seconds1 + carry;
newMinutes = minutes1 + minutes;
}
else
{
carry = seconds2 - seconds1;
newSeconds = carry;
newMinutes = 1 + minutes1;
}
}
return newMinutes + ":" + newSeconds;
}
当我将s1更改为55秒,将s2更改为1:30时,此代码无效。 我认为它需要进行一些修改,有人可以帮忙还是可以在C#中向我展示正确的方法
答案 0 :(得分:1)
由于您希望允许用户指定超过59秒(和/或分钟),因此我认为TimeSpan.TryParseExact
无效,因为您不能超过59
秒或几分钟。这些字段必须为0-59
。
但是,您可以编写自己的自定义解析器,该解析器将输入字符串拆分为冒号(:
),然后使用int.TryParse
尝试将结果部分解析为整数,然后可以使用TimeSpan.FromSeconds
传递任何秒数以创建新的TimeSpan
对象,并且可以使用.Add
方法添加从分钟部分创建的另一个时间跨度(如果已指定)。< / p>
首先,我们可以编写一个方法,该方法将从字符串中以{[integer]”或“ [integer]:[integer]”的形式返回TimeSpan
:
public static TimeSpan CustomParse(string input)
{
// Split the string on the ':' character
var parts = input?.Split(':');
// Make sure we have something to work with
if (parts == null || parts.Length == 0)
throw new FormatException("input format must be \"%m:%s\" or \"%s\"");
int seconds;
// Only a single number represents seconds
if (parts.Length == 1)
{
if (int.TryParse(parts[0], out seconds))
{
return TimeSpan.FromSeconds(seconds);
}
}
// Otherwise the first number is minutes and the second one is seconds
else
{
int minutes;
if (int.TryParse(parts[0], out minutes) &&
int.TryParse(parts[1], out seconds))
{
return TimeSpan.FromSeconds(seconds).Add(TimeSpan.FromMinutes(minutes));
}
}
// If we haven't returned anything yet, there was an error in the format
throw new FormatException("input format must be \"%m:%s\" or \"%s\"");
}
然后,我们可以编写另一个函数,该函数接受两个字符串,使用上述方法将它们转换为时间跨度,并返回将它们作为字符串加在一起的结果:
public static string Add(string s1, string s2)
{
return CustomParse(s1).Add(CustomParse(s2)).ToString("%m\\:%s");
}
现在,我们可以使用您的示例字符串对此进行测试:
private static void Main()
{
string first = "1:30";
string second = "65";
string result = Add(first, second);
Console.WriteLine($"{first} + {second} = {result}");
GetKeyFromUser("\nDone! Press any key to exit...");
}
输出