k天后活跃和不活跃的细胞?
在这里,我们将看到一个有趣的问题。假设一个二进制数组的大小为n。这里n>3。值为true或1表示活动状态,为0或false表示活动状态。还给出了另一个数字k。我们必须在k天后找到活跃或不活跃的细胞。每天之后,如果左侧和右侧的单元格不同,则第i个单元的状态将处于活动状态;如果它们相同,则它将处于非活动状态。最左边和最右边的单元格之前和之后都没有单元格。因此,最左边和最右边的单元始终为0。
让我们看一个例子来了解这个想法。假设一个数组像{0,1,0,1,0,1,0,1},并且k=3。因此,让我们看一下它如何每天变化。
1天后,数组将为{1、0、0、0、0、0、0、0}
2天后,数组将为{0,1,0,0,0,0,0,0}
3天后,数组将为{1、0、1、0、0、0、0、0}
因此有2个活动细胞和6个非活动细胞
算法
activeCellKdays(arr,n,k)
begin
make a copy of arr into temp
for i in range 1 to k, do
temp[0] := 0 XOR arr[1]
temp[n-1] := 0 XOR arr[n-2]
for each cell i from 1 to n-2, do
temp[i] := arr[i-1] XOR arr[i+1]
done
copy temp to arr for next iteration
done
count number of 1s as active, and number of 0s as inactive, then return the values.
end示例
#include <iostream>
using namespace std;
void activeCellKdays(bool arr[], int n, int k) {
bool temp[n]; //temp is holding the copy of the arr
for (int i=0; i<n ; i++)
temp[i] = arr[i];
for(int i = 0; i<k; i++){
temp[0] = 0^arr[1]; //set value for left cell
temp[n-1] = 0^arr[n-2]; //set value for right cell
for (int i=1; i<=n-2; i++) //for all intermediate cell if left and
right are not same, put 1
temp[i] = arr[i-1] ^ arr[i+1];
for (int i=0; i<n; i++)
arr[i] = temp[i]; //copy back the temp to arr for the next iteration
}
int active = 0, inactive = 0;
for (int i=0; i<n; i++)
if (arr[i])
active++;
else
inactive++;
cout << "Active Cells = "<< active <<", Inactive Cells = " << inactive;
}
main() {
bool arr[] = {0, 1, 0, 1, 0, 1, 0, 1};
int k = 3;
int n = sizeof(arr)/sizeof(arr[0]);
activeCellKdays(arr, n, k);
}输出结果
Active Cells = 2, Inactive Cells = 6