Table of Contents
问题陈述
示例 1
Explanation
解释
示例例子2
方法
算法
示例:C程序
输出
结论
Home Backend Development C++ Calculate the number of strings to be concatenated with characters whose frequency is greater than the sum of the frequencies of other characters

Calculate the number of strings to be concatenated with characters whose frequency is greater than the sum of the frequencies of other characters

Sep 03, 2023 pm 01:37 PM
character calculate frequency

Calculate the number of strings to be concatenated with characters whose frequency is greater than the sum of the frequencies of other characters

我们的主要目标是确定最多的字符串能够被连接起来,以确保只有一个字母的频率超过所有其他字符的总和,前提是有一个名为arr[]的包含M个字符串的数组。

在继续之前,让我们了解一些数组和字符串的基本概念。

数组就是一组相同数据类型的元素,存储在连续的内存区域中。

C编程语言中的数组具有固定的大小,这意味着一旦指定了大小,就无法更改;您无法缩小或扩展它。

让我们现在来研究一下什么是字符串。在C编程语言中,字符串是一组以空字符"\0"结尾的字符。C字符串中的字符被保存在字符数组中。与字符数组不同,C字符串之所以与字符数组相矛盾,是因为它以特殊的空字符结尾。

问题陈述

实现一个程序,用于确定要与频率大于其他字符之和的字符连接的字符串的数量。

示例 1

Let us take the input array 
arr[]: {“xyz", “yyyyx", “q”}
Copy after login
Output obtained is: 3
Copy after login

Explanation

的中文翻译为:

解释

这里元素 "x" 的频率为 2。

元素"y"的频率为5,元素"z"的频率为1。最后,

字符“q”的频率为1。

通过将数组中的三个字符串连接起来,我们得到 "xyzyyyyxq”。

这里字符 'y' 的频率为5,其余字符的频率总和为4。

示例例子2

Let us take the input array 
arr[]: {“mnoml", “lmll", “nln”, "mnlmn"}
Copy after login
Output obtained is : 2
Copy after login

Explanation

的中文翻译为:

解释

这里元素或字符“m”的频率为5。

元素 "n" 的频率为 5,元素 "l" 的频率为 6,最后字符 "o" 的频率为 1。

在这里,我们只能将两个字符串“lmllnl”连接起来。

字符l的频率为4。其他字符m和n的频率之和为2。为了依赖于拼接具有频率大于其他字符频率之和的字符的字符串,这是唯一可能的拼接。

方法

为了确定要与频率大于其他字符总和的字符连接的字符串的数量,我们采用以下方法。

解决这个问题的方法是通过迭代来获取要与频率大于其他字符频率之和的字符进行拼接的字符串的数量。

也就是说,我们通过迭代所有字符(即从"a"到"z")来确定所有字符串中每个字符的净频率。在这种情况下,净频率可以通过从中减去每个字符的其他频率来计算,因此如果总净频率大于0,则表示该元素的频率超过了所有其他频率的总和。

算法

下面给出了确定要与频率大于其他字符之和的字符连接的字符串计数的算法。

  • 第一步 - 开始

  • 第二步 − 定义函数以确定所有字符的频率,并减少字符串中其他频率的总和。

  • 第三步 - 迭代字符串数组 a

  • 第四步 - 定义一个整数变量来存储频率

  • 第五步 - 将频率存储在数组 v 中

  • 第六步 - 定义一个变量来存储最大计数

  • 第7步 - 遍历所有字母或元素

  • 第8步 - 返回最大值

  • 步骤 9 − 停止

示例:C程序

这是上述方法的C程序实现,用于计算要与频率大于其他字符总和的字符连接的字符串的数量。

#include <stdio.h>
#include <stdlib.h>
//input strings to be non-empty and not more //than 100 characters
#define MAX_STR_LEN 100

// Function to determine the frequencies of all the characters and reducing the sum of other frequencies in the strings
int* frequency(char** a, int len, char c){

   // We use array to store the frequency
   int* v = (int*)calloc(len, sizeof(int));
   if(v == NULL) {
      printf("Error: Memory allocation failed");
      exit(1);
   }
   
   // Iterating the array a of strings
   for (int i = 0; i < len; i++) {
      char* str = a[i];
      
      // defining an integer variable for storing //the frequencies
      int net_fre = 0;
      
      // Iterating through the string str
      for (int j = 0; str[j] != '\0'; j++) {
      
         // If str[j] is equal to the current character increment the net_fre by 1
         if (str[j] == c)
            net_fre++;
            
         // otherwise decrement net_fre by 1
         else
            net_fre--;
      }
      
      // After iterating the string store this frequency in the array v
      v[i] = net_fre;
   }
   
   //return the array v
   return v;
}

// Function to determine the count of the longest or the lengthiest string that could be obtained from the given array of strings
int longestConcatenatedString(char** a, int len){

   // An integer variable to store the maximum count Also it is set to zero
   int mxm = 0;
   
   // Iterating through all of the alphabets
   for (char c = 'a'; c <= 'z'; c++) {
   
      // Array to store the net_frequency of the character c after reducing the sum of every other frequencies in all of the strings
      int* v = frequency(a, len, c);
      
      // Array is stored in the order of descendants
      for (int i = 0; i < len - 1; i++) {
         for (int j = i + 1; j < len; j++) {
            if (v[i] < v[j]) {
               int temp = v[i];
               v[i] = v[j];
               v[j] = temp;
               char* temp_str = a[i];
               a[i] = a[j];
               a[j] = temp_str;
            }
         }
      }
      
      // Variable res is defined to store the //result
      int res = 0;
      int sum = 0;
      for (int i = 0; i < len; i++) {
         sum += v[i];
         
         // If sum is greater than 0 then increment res by 1
         if (sum > 0) {
            res++;
         }
      }
      
      // Keeping the track of the maximum one
      mxm = mxm > res ? mxm : res;
      free(v);
   }
   
   // Returning the maximum value obtained
   return mxm;
}
int main(){
   char* a[] = { "mnoml", "lmll", "nln", "mnlmn" };
   printf("Count of strings to be concatenated with a character having frequency greater than sum of others: ");
   int len = sizeof(a) / sizeof(a[0]);
   printf("%d", longestConcatenatedString(a, len));
   return 0;
}
Copy after login

输出

Count of strings to be concatenated with a character having frequency greater than sum of others: 2
Copy after login

结论

同样,我们可以计算要与频率大于其他字符之和的字符连接的字符串。

在这篇文章中,解决了获取程序来计算要与具有频率大于其他字符之和的字符串连接的挑战。

这里提供了C++编程代码以及算法,用于确定要与频率大于其他字符之和的字符连接的字符串的数量。

The above is the detailed content of Calculate the number of strings to be concatenated with characters whose frequency is greater than the sum of the frequencies of other characters. For more information, please follow other related articles on the PHP Chinese website!

Statement of this Website
The content of this article is voluntarily contributed by netizens, and the copyright belongs to the original author. This site does not assume corresponding legal responsibility. If you find any content suspected of plagiarism or infringement, please contact admin@php.cn

Hot AI Tools

Undresser.AI Undress

Undresser.AI Undress

AI-powered app for creating realistic nude photos

AI Clothes Remover

AI Clothes Remover

Online AI tool for removing clothes from photos.

Undress AI Tool

Undress AI Tool

Undress images for free

Clothoff.io

Clothoff.io

AI clothes remover

AI Hentai Generator

AI Hentai Generator

Generate AI Hentai for free.

Hot Tools

Notepad++7.3.1

Notepad++7.3.1

Easy-to-use and free code editor

SublimeText3 Chinese version

SublimeText3 Chinese version

Chinese version, very easy to use

Zend Studio 13.0.1

Zend Studio 13.0.1

Powerful PHP integrated development environment

Dreamweaver CS6

Dreamweaver CS6

Visual web development tools

SublimeText3 Mac version

SublimeText3 Mac version

God-level code editing software (SublimeText3)

CUDA's universal matrix multiplication: from entry to proficiency! CUDA's universal matrix multiplication: from entry to proficiency! Mar 25, 2024 pm 12:30 PM

General Matrix Multiplication (GEMM) is a vital part of many applications and algorithms, and is also one of the important indicators for evaluating computer hardware performance. In-depth research and optimization of the implementation of GEMM can help us better understand high-performance computing and the relationship between software and hardware systems. In computer science, effective optimization of GEMM can increase computing speed and save resources, which is crucial to improving the overall performance of a computer system. An in-depth understanding of the working principle and optimization method of GEMM will help us better utilize the potential of modern computing hardware and provide more efficient solutions for various complex computing tasks. By optimizing the performance of GEMM

How to calculate addition, subtraction, multiplication and division in word document How to calculate addition, subtraction, multiplication and division in word document Mar 19, 2024 pm 08:13 PM

WORD is a powerful word processor. We can use word to edit various texts. In Excel tables, we have mastered the calculation methods of addition, subtraction and multipliers. So if we need to calculate the addition of numerical values ​​in Word tables, How to subtract the multiplier? Can I only use a calculator to calculate it? The answer is of course no, WORD can also do it. Today I will teach you how to use formulas to calculate basic operations such as addition, subtraction, multiplication and division in tables in Word documents. Let's learn together. So, today let me demonstrate in detail how to calculate addition, subtraction, multiplication and division in a WORD document? Step 1: Open a WORD, click [Table] under [Insert] on the toolbar, and insert a table in the drop-down menu.

How to count the number of elements in a list using Python's count() function How to count the number of elements in a list using Python's count() function Nov 18, 2023 pm 02:53 PM

How to use Python's count() function to calculate the number of an element in a list requires specific code examples. As a powerful and easy-to-learn programming language, Python provides many built-in functions to handle different data structures. One of them is the count() function, which can be used to count the number of elements in a list. In this article, we will explain how to use the count() function in detail and provide specific code examples. The count() function is a built-in function of Python, used to calculate a certain

Which has a greater impact on performance, memory frequency or timing? Which has a greater impact on performance, memory frequency or timing? Feb 19, 2024 am 08:58 AM

Memory is one of the most important components in the computer, and it has a significant impact on the performance and stability of the computer. When choosing memory, people tend to focus on two important parameters, namely timing and frequency. So, for memory performance, which is more important, timing or frequency? First, let's understand the concepts of timing and frequency. Timing refers to the time interval required for a memory chip to receive and process data. It is usually represented by a CL value (CASLatency). The smaller the CL value, the faster the memory processing speed. The frequency is within

Java program to calculate the area of ​​a triangle using determinants Java program to calculate the area of ​​a triangle using determinants Aug 31, 2023 am 10:17 AM

Introduction The Java program for calculating the area of ​​a triangle using determinants is a concise and efficient program that can calculate the area of ​​a triangle given the coordinates of three vertices. This program is useful for anyone learning or working with geometry, as it demonstrates how to use basic arithmetic and algebraic calculations in Java, as well as how to use the Scanner class to read user input. The program prompts the user for the coordinates of three points of the triangle, which are then read in and used to calculate the determinant of the coordinate matrix. Use the absolute value of the determinant to ensure the area is always positive, then use a formula to calculate the area of ​​the triangle and display it to the user. The program can be easily modified to accept input in different formats or to perform additional calculations, making it a versatile tool for geometric calculations. ranks of determinants

Count the number of occurrences of a substring recursively in Java Count the number of occurrences of a substring recursively in Java Sep 17, 2023 pm 07:49 PM

Given two strings str_1 and str_2. The goal is to count the number of occurrences of substring str2 in string str1 using a recursive procedure. A recursive function is a function that calls itself within its definition. If str1 is "Iknowthatyouknowthatiknow" and str2 is "know" the number of occurrences is -3. Let us understand through examples. For example, input str1="TPisTPareTPamTP", str2="TP"; output Countofoccurrencesofasubstringrecursi

How to use the Math.Pow function in C# to calculate the power of a specified number How to use the Math.Pow function in C# to calculate the power of a specified number Nov 18, 2023 am 11:32 AM

In C#, there is a Math class library, which contains many mathematical functions. These include the function Math.Pow, which calculates powers, which can help us calculate the power of a specified number. The usage of the Math.Pow function is very simple, you only need to specify the base and exponent. The syntax is as follows: Math.Pow(base,exponent); where base represents the base and exponent represents the exponent. This function returns a double type result, that is, the power calculation result. Let's

Correct way to display Chinese characters in matplotlib Correct way to display Chinese characters in matplotlib Jan 13, 2024 am 11:03 AM

Correctly displaying Chinese characters in matplotlib is a problem often encountered by many Chinese users. By default, matplotlib uses English fonts and cannot display Chinese characters correctly. To solve this problem, we need to set the correct Chinese font and apply it to matplotlib. Below are some specific code examples to help you display Chinese characters correctly in matplotlib. First, we need to import the required libraries: importmatplot

See all articles