Dada una array de n elementos distintos, cuente el número total de subconjuntos.
Ejemplos:
Input : {1, 2, 3} Output : 8 Explanation the array contain total 3 element.its subset are {}, {1}, {2}, {3}, {1, 2}, {2, 3}, {3, 1}, {1, 2, 3}. so the output is 8..
Sabemos que el número de subconjuntos del conjunto de tamaño n es 2 n
¿Cómo funciona esta fórmula?
Para cada elemento, tenemos dos opciones, lo seleccionamos o no lo seleccionamos. Así que en total tenemos 2 * 2 * … (n veces) opciones que son 2 n
La explicación alternativa es:
Número de subconjuntos de tamaño 0 = n C 0
Número de subconjuntos de tamaño 1 = n C 1
Número de subconjuntos de tamaño 2 = n C 2
………………..
Número total de subconjuntos = n C 0 + n C 1 + n C 2 + …. + norteC n = 2 n
Consulte Suma de coeficientes binomiales para obtener más detalles.
C++
// CPP program to count number of distinct // subsets in an array of distinct numbers #include <bits/stdc++.h> using namespace std; // Returns 2 ^ n int subsetCount(int arr[], int n) { return 1 << n; } /* Driver program to test above function */ int main() { int A[] = { 1, 2, 3 }; int n = sizeof(A) / sizeof(A[0]); cout << subsetCount(A, n); return 0; }
Java
// Java program to count number of distinct // subsets in an array of distinct numbers class GFG { // Returns 2 ^ n static int subsetCount(int arr[], int n) { return 1 << n; } /* Driver program to test above function */ public static void main(String[] args) { int A[] = { 1, 2, 3 }; int n = A.length; System.out.println(subsetCount(A, n)); } } // This code is contributed by Prerna Saini.
Python3
# Python3 program to count number # of distinct subsets in an # array of distinct numbers import math # Returns 2 ^ n def subsetCount(arr, n): return 1 << n # driver code A = [ 1, 2, 3 ] n = len(A) print(subsetCount(A, n)) # This code is contributed by Gitanjali.
C#
// C# program to count number of distinct // subsets in an array of distinct numbers using System; class GFG { // Returns 2 ^ n static int subsetCount(int []arr, int n) { return 1 << n; } // Driver program public static void Main() { int []A = { 1, 2, 3 }; int n = A.Length; Console.WriteLine(subsetCount(A, n)); } } // This code is contributed by vt_m.
PHP
<?php // PHP program to count // number of distinct // subsets in an array // of distinct numbers // Returns 2 ^ n function subsetCount($arr, $n) { return 1 << $n; } // Driver Code $A = array( 1, 2, 3 ); $n = sizeof($A); echo(subsetCount($A, $n)); // This code is contributed by Ajit. ?>
Javascript
<script> // JavaScript program to count number of distinct // subsets in an array of distinct numbers // Returns 2 ^ n function subsetCount(arr, n) { return 1 << n; } // Driver code let A = [ 1, 2, 3 ]; let n = A.length; document.write(subsetCount(A, n)); </script>
8
Publicación traducida automáticamente
Artículo escrito por Shahnawaz_Ali y traducido por Barcelona Geeks. The original can be accessed here. Licence: CCBY-SA