Given a time represented in the format "HH:MM", form the next closest time by reusing the current digits. There is no limit on how many times a digit can be reused.html
You may assume the given input string is always valid. For example, "01:34", "12:09" are all valid. "1:34", "12:9" are all invalid.java
Example 1:git
Input: "19:34" Output: "19:39" Explanation: The next closest time choosing from digits 1, 9, 3, 4, is 19:39, which occurs 5 minutes later. It is not 19:33, because this occurs 23 hours and 59 minutes later.
Example 2:express
Input: "23:59" Output: "22:22" Explanation: The next closest time choosing from digits 2, 3, 5, 9, is 22:22. It may be assumed that the returned time is next day's time since it is smaller than the input time numerically.
這道題給了咱們一個時間點,讓咱們求最近的下一個時間點,規定了不能產生新的數字,當下個時間點超過零點時,就當次日的時間。爲了找到下一個時間點,咱們確定是從分鐘開始換數字,並且換的數字要是存在的數字,那麼咱們最早要作的就是統計當前時間點中的數字,因爲可能有重複數字的存在,咱們把數字都存入集合set中,這樣能夠去除重複數字,而且能夠排序,而後再轉爲vector。下面就從低位分鐘開始換數字了,若是低位分鐘上的數字已是最大的數字了,那麼說明要轉過一輪了,就要把低位分鐘上的數字換成最小的那個數字;不然就將低位分鐘上的數字換成下一個數字。而後再看高位分鐘上的數字,同理,若是高位分鐘上的數字已是最大的數字,或則下一個數字大於5,那麼直接換成最小值;不然就將高位分鐘上的數字換成下一個數字。對於小時位上的數字也是同理,對於小時低位上的數字狀況比較複雜,當小時高位不爲2的時候,低位能夠是任意數字,而當高位爲2時,低位須要小於等於3。對於小時高位,其必需要小於等於2,參見代碼以下:post
解法一:this
class Solution { public: string nextClosestTime(string time) { string res = time; set<int> s{time[0], time[1], time[3], time[4]}; string str(s.begin(), s.end()); for (int i = res.size() - 1; i >= 0; --i) { if (res[i] == ':') continue; int pos = str.find(res[i]); if (pos == str.size() - 1) { res[i] = str[0]; } else { char next = str[pos + 1]; if (i == 4) { res[i] = next; return res; } else if (i == 3 && next <= '5') { res[i] = next; return res; } else if (i == 1 && (res[0] != '2' || (res[0] == '2' && next <= '3'))) { res[i] = next; return res; } else if (i == 0 && next <= '2') { res[i] = next; return res; } res[i] = str[0]; } } return res; } };
下面這種方法的寫法比較簡潔,實際上用了暴力搜索,因爲按分鐘算的話,一天只有1440分鐘,也就是1440個時間點,咱們能夠從當前時間點開始,遍歷一天的時間,也就是接下來的1440個時間點,獲得一個新的整型時間點後,咱們按位來更新結果res,對於每一個更新的數字字符,看其是否在原時間點字符中存在,若是不存在,直接break,而後開始遍歷下一個時間點,若是四個數字都成功存在了,那麼將當前時間點中間夾上冒號返回便可,參見代碼以下:url
解法二:spa
class Solution { public: string nextClosestTime(string time) { string res = "0000"; vector<int> v{600, 60, 10, 1}; int found = time.find(":"); int cur = stoi(time.substr(0, found)) * 60 + stoi(time.substr(found + 1)); for (int i = 1, d = 0; i <= 1440; ++i) { int next = (cur + i) % 1440; for (d = 0; d < 4; ++d) { res[d] = '0' + next / v[d]; next %= v[d]; if (time.find(res[d]) == string::npos) break; } if (d >= 4) break; } return res.substr(0, 2) + ":" + res.substr(2); } };
參考資料:code
https://discuss.leetcode.com/topic/104692/c-java-clean-codeorm
https://discuss.leetcode.com/topic/104736/concise-java-solution
https://discuss.leetcode.com/topic/105411/short-simple-java-using-regular-expression