【LeetCode】1018. Binary Prefix Divisible By 5 可被 5 整除的二進位制字首(Easy)(JAVA)每日一題
阿新 • • 發佈:2021-01-25
技術標籤:LeetCode 每日一題javaleetcode面試資料結構演算法
【LeetCode】1018. Binary Prefix Divisible By 5 可被 5 整除的二進位制字首(Easy)(JAVA)
題目地址: https://leetcode.com/problems/binary-prefix-divisible-by-5/
題目描述:
Given an array A of 0s and 1s, consider N_i: the i-th subarray from A[0] to A[i]interpretedas a binary number (from most-significant-bit to least-significant-bit.)
Return a list of booleansanswer, where answer[i] is trueif and only if N_iis divisible by 5.
Example 1:
Input: [0,1,1]
Output: [true,false,false]
Explanation:
The input numbers in binary are 0, 01, 011; which are 0, 1, and 3 in base-10. Only the first number is divisible by 5, so answer[0] is true.
Example 2:
Input: [1,1,1]
Output: [false,false,false]
Example 3:
Input: [0,1,1,1,1,1]
Output: [true,false,false,false,true,false]
Example 4:
Input: [1,1,1,0,1]
Output: [false,false,false,false,false]
Note:
- 1 <= A.length <= 30000
- A[i] is 0 or 1
題目大意
給定由若干0和1組成的陣列 A。我們定義N_i:從A[0] 到A[i]的第 i個子陣列被解釋為一個二進位制數(從最高有效位到最低有效位)。
返回布林值列表answer,只有當N_i可以被 5整除時,答案answer[i] 為true,否則為 false。
解題方法
- 就是計算前 n 位構成的二進位制數是否可以被 5 整除
- 已經知道前 n 位的結果 pre, 現在多了 n + 1 位,怎麼求出結果呢? 就是前 n 位統一往左移一位即可 pre << 1, 再加上 A[n + 1] 的結果
- note: 為了防止 int 超限需要對求出的結果 pre 進行取餘數: pre % 5
class Solution {
public List<Boolean> prefixesDivBy5(int[] A) {
List<Boolean> res = new ArrayList<>();
int pre = 0;
for (int i = 0; i < A.length; i++) {
pre <<= 1;
pre += A[i];
pre = pre % 5;
res.add(pre == 0);
}
return res;
}
}
執行耗時:4 ms,擊敗了92.76% 的Java使用者
記憶體消耗:39.2 MB,擊敗了41.06% 的Java使用者