Как найти несколько максимальных элементов в массиве

0 / 0 / 0

Регистрация: 06.12.2020

Сообщений: 31

1

Как найти два максимальных значений в массиве?

06.12.2020, 21:41. Показов 7845. Ответов 16


Студворк — интернет-сервис помощи студентам

Всемп привет! Подскажите пожалуйста: Дан массив и нужно найти два максимальных значений и вывести их через консоль



0



DreamerXXX

8 / 5 / 3

Регистрация: 15.11.2020

Сообщений: 7

06.12.2020, 21:50

2

Лучший ответ Сообщение было отмечено Dewer как решение

Решение

Если делать всё максимально просто и быстро то как вариант метод .Sort()
Суть проста,он сортирует их от меньшего к большему ну а дальше мы выбираем два крайних элемента массива.

C#
1
2
3
int[] MyArray = new int[3] { 2, 11, 5 };
Array.Sort(MyArray);
Console.WriteLine($"{MyArray[2]} {MyArray[1]}");



1



0 / 0 / 0

Регистрация: 06.12.2020

Сообщений: 31

06.12.2020, 23:28

 [ТС]

3

вот массив int[] MyArray = new int[7]{ 13, 4, 6, 16, 9, 10, 1 };
и консоль должен вывести два максимальных значений – это 16 и 13 .



0



Gagik1

35 / 20 / 15

Регистрация: 04.08.2020

Сообщений: 64

06.12.2020, 23:45

4

Лучший ответ Сообщение было отмечено Dewer как решение

Решение

Цитата
Сообщение от Dewer
Посмотреть сообщение

вот массив int[] MyArray = new int[7]{ 13, 4, 6, 16, 9, 10, 1 };
и консоль должен вывести два максимальных значений – это 16 и 13 .

Так чем не подошел способ от DreamerXXX, ? вместо конкретного индекса ставим

C#
1
MyArray[MyArray.Length-1]} {MyArray[MyArray.Length-2]

и получаем последние 2 элемента любого массива



1



0 / 0 / 0

Регистрация: 06.12.2020

Сообщений: 31

06.12.2020, 23:50

 [ТС]

5

Спасибо большое DreamerXXX и Gagik1 , все решил!



0



Элд Хасп

Модератор

Эксперт .NET

13778 / 9990 / 2661

Регистрация: 21.04.2018

Сообщений: 29,757

Записей в блоге: 2

07.12.2020, 00:23

6

Лучший ответ Сообщение было отмечено Dewer как решение

Решение

Цитата
Сообщение от DreamerXXX
Посмотреть сообщение

а дальше мы выбираем два крайних элемента массива.

Цитата
Сообщение от Gagik1
Посмотреть сообщение

C#
1
MyArray[MyArray.Length-1]} {MyArray[MyArray.Length-2]
C#
1
 

Сейчас пишут уже так:

C#
3
Console.WriteLine($"{MyArray[^1]} {MyArray[^2]}");



2



35 / 20 / 15

Регистрация: 04.08.2020

Сообщений: 64

07.12.2020, 01:17

7

Цитата
Сообщение от Элд Хасп
Посмотреть сообщение

Сейчас пишут уже так:

Отчасти справедливо, т.к. System.Index отсутствует в .NET 4.x, только в Core



0



0 / 0 / 0

Регистрация: 06.12.2020

Сообщений: 31

07.12.2020, 20:41

 [ТС]

8

А можно решить эту задачу через циклы?



0



1842 / 1184 / 501

Регистрация: 14.10.2018

Сообщений: 3,179

07.12.2020, 20:54

9

Цитата
Сообщение от Dewer
Посмотреть сообщение

А можно решить эту задачу через циклы?

Можно, и даже 2-мя способами
1) сделать сортировку циклом
2) создать 2 переменные, которые будут запоминать максимальные значения из просмотренных значений во время цикла



0



Модератор

Эксперт .NET

13778 / 9990 / 2661

Регистрация: 21.04.2018

Сообщений: 29,757

Записей в блоге: 2

07.12.2020, 21:01

10

Цитата
Сообщение от Enifan
Посмотреть сообщение

2) создать 2 переменные, которые будут запоминать максимальные значения из просмотренных значений во время цикла

Это лучше.
Но мне было в лом делать свою реализацию.



0



0 / 0 / 0

Регистрация: 06.12.2020

Сообщений: 31

07.12.2020, 21:04

 [ТС]

11

Я сейчас и пытаюсь через второй пункт решить задачу. Меня препод заставил через цикл for решить, а не через сортировку…



0



Элд Хасп

Модератор

Эксперт .NET

13778 / 9990 / 2661

Регистрация: 21.04.2018

Сообщений: 29,757

Записей в блоге: 2

07.12.2020, 21:04

12

C#
1
2
3
4
5
6
7
8
int max1 = int.MinValue;
int max2;
 
foreach(int num in MyArray)
    if (num >= max1)
        (max1, max2) = (num, max1);
 
Console.WriteLine($"{max1} {max2}");



0



0 / 0 / 0

Регистрация: 06.12.2020

Сообщений: 31

07.12.2020, 21:21

 [ТС]

13

Элд Хасп, помочь решить через цикл for?



0



Элд Хасп

Модератор

Эксперт .NET

13778 / 9990 / 2661

Регистрация: 21.04.2018

Сообщений: 29,757

Записей в блоге: 2

07.12.2020, 21:28

14

Цитата
Сообщение от Dewer
Посмотреть сообщение

помочь решить через цикл for?

Вот же выше через цикл вариант!
Или вам обязательно через for и вариант с foreach не подходит?

Добавлено через 1 минуту

C#
1
2
3
4
5
6
7
8
int max1 = int.MinValue;
int max2;
 
for(int index = 0; index <MyArray. Length; index++)
    if (MyArray[i] >= max1)
        (max1, max2) = (MyArray[i], max1);
 
Console.WriteLine($"{max1} {max2}");



2



0 / 0 / 0

Регистрация: 06.12.2020

Сообщений: 31

07.12.2020, 21:30

 [ТС]

15

Элд Хасп, обязательно через цикл for…

Добавлено через 1 минуту
Элд Хасп, спасибо большое Вам.



0



619 / 384 / 134

Регистрация: 06.03.2017

Сообщений: 1,440

07.12.2020, 21:36

16

Цитата
Сообщение от Элд Хасп
Посмотреть сообщение

(max1, max2) = (MyArray[i], max1);

Следующий вопрос от препода будет по этой строке



0



0 / 0 / 0

Регистрация: 06.12.2020

Сообщений: 31

07.12.2020, 21:38

 [ТС]

17

Pilarentes, надеюсь не будет



0



Паскаль. В линейном массиве найти два максимальных элемента.



Профи

(638),
закрыт



11 лет назад

Дополнен 11 лет назад

заполнение массива случайными числами

Дополнен 11 лет назад

нужна программа, я одно максимальное число нашла, а как найти сразу два максимальных элемента???

Руслан Синкевич

Профи

(787)


11 лет назад

Самый простой вариант – сделать второй проход, запомнив индекс максимального элемента, который был установлен в предыдущем проходе. При втором проходе просто пропустить его, выполнив проверку (к примеру if not i=2 then if a(i) > max then max:=a(i) )

var
max1, ind, max2, i : integer;
a : array [1..100] of integer;
begin
randomize;
for i:=1 to 100 do
a(i) := random(200);
max1 := a(i);
for i:=2 to 100 do
if a(i) > max1 then begin max1 := a(i); ind = i; end;
max2 := a(i);
for i:=2 to 100 do
if (a(i) > max2) and (i <> ind) then max2 := a(i);
writeln(‘max1=’, max1, ‘ max2=’, max2);
end.

Примерно так. Писал по памяти, нет под рукой компилятора. (i) замените на квадратные скобки.

dosmot dosmot

Мастер

(1739)


11 лет назад

После того, как одно максимальное число найдено, ищите второе точно так же, но при этом сравнивайте с первым (его занести в отдельную переменную) . Т. е. оно должно получиться больше всех чисел в массиве, кроме первого числа.

****** ******

Ученик

(199)


6 лет назад

код С#
________
using System;
using System.Collections.Generic;
using System.Linq;

namespace ConsoleApplication1
{
class Program
{
static void Main(string[] args)
{
Random rnd = new Random();
int[] initArr = new int[10000];
for (int i = 0; i < initArr.Length; i++)
{
initArr[i] = rnd.Next(-1000, 1000);
}

var outArr = Sort(initArr, 10);
}

private static int[] Sort(int[] array, int count)
{
int[] outArr = new int[count];
for (int i = 0; i < outArr.Length; i++)
{
int[] sorted = new int[count];
for (int j = 0; j < array.Length; j++)
{
if (!sorted.Contains(array[j]) && array[j] == array.Max())
{
outArr[i] = array[j];
array[j] = 0;
}
}
}

return (int[]) outArr.Reverse();
}
}
}

Выбирает из массива А массив максимальных чисел Б. В массиве А числа могут повторяться и поэтмоу также считаются максимальными. Требует доработки, т. к. 5 элементов из 10000 массива выберет за 6 сек. А если надо будет выбрать 1000?? Прикрути linq и возможно будет тебе праздник, но не факт, скорее всего еще медленее станет работать

Форум JScourse

Загрузка…

Is it possible to find the second maximum number from an array of integers by traversing the array only once?

As an example, I have a array of five integers from which I want to find second maximum number. Here is an attempt I gave in the interview:

#define MIN -1
int main()
{
    int max=MIN,second_max=MIN;
    int arr[6]={0,1,2,3,4,5};
    for(int i=0;i<5;i++){
        cout<<"::"<<arr[i];
    }
    for(int i=0;i<5;i++){
        if(arr[i]>max){
            second_max=max;
            max=arr[i];          
        }
    }
    cout<<endl<<"Second Max:"<<second_max;
    int i;
    cin>>i;
    return 0;
}

The interviewer, however, came up with the test case int arr[6]={5,4,3,2,1,0};, which prevents it from going to the if condition the second time.
I said to the interviewer that the only way would be to parse the array two times (two for loops). Does anybody have a better solution?

codaddict's user avatar

codaddict

443k81 gold badges492 silver badges528 bronze badges

asked Mar 6, 2010 at 14:03

Xinus's user avatar

2

Your initialization of max and second_max to -1 is flawed. What if the array has values like {-2,-3,-4}?

What you can do instead is to take the first 2 elements of the array (assuming the array has at least 2 elements), compare them, assign the smaller one to second_max and the larger one to max:

if(arr[0] > arr[1]) {
 second_max = arr[1];
 max = arr[0];
} else {
 second_max = arr[0];
 max = arr[1];
}

Then start comparing from the 3rd element and update max and/or second_max as needed:

for(int i = 2; i < arr_len; i++){
    // use >= n not just > as max and second_max can hav same value. Ex:{1,2,3,3}   
    if(arr[i] >= max){  
        second_max=max;
        max=arr[i];          
    }
    else if(arr[i] > second_max){
        second_max=arr[i];
    }
}

answered Mar 6, 2010 at 14:15

codaddict's user avatar

codaddictcodaddict

443k81 gold badges492 silver badges528 bronze badges

4

The easiest solution would be to use std::nth_element.

answered Mar 6, 2010 at 14:06

avakar's user avatar

avakaravakar

31.8k9 gold badges65 silver badges102 bronze badges

9

You need a second test:

 for(int i=0;i<5;i++){  
   if(arr[i]>max){  
     second_max=max;  
     max=arr[i];            
   }
   else if (arr[i] > second_max && arr[i] != max){
     second_max = arr[i];
   }
 }

answered Mar 6, 2010 at 14:08

Anders Abel's user avatar

Anders AbelAnders Abel

67.7k17 gold badges150 silver badges217 bronze badges

3

Your original code is okay, you just have to initialize the max and second_max variables. Use the first two elements in the array.

answered Mar 6, 2010 at 14:34

Hans Passant's user avatar

Hans PassantHans Passant

918k145 gold badges1680 silver badges2522 bronze badges

Here you are:

std::pair<int, int> GetTwoBiggestNumbers(const std::vector<int>& array)
{
    std::pair<int, int> biggest;
    biggest.first = std::max(array[0], array[1]);  // Biggest of the first two.
    biggest.second = std::min(array[0], array[1]); // Smallest of the first two.

    // Continue with the third.
    for(std::vector<int>::const_iterator it = array.begin() + 2;
        it != array.end();
        ++it)
    {
        if(*it > biggest.first)
        {
            biggest.second = biggest.first;
            biggest.first = *it;
        }
        else if(*it > biggest.second)
        {
            biggest.second = *it;
        }
    }

    return biggest;
}

answered Mar 6, 2010 at 14:14

Johann Gerell's user avatar

Johann GerellJohann Gerell

24.9k10 gold badges72 silver badges122 bronze badges

7

Quickselect is the way to go with this one. Pseudo code is available at that link so I shall just explain the overall algorithm:

QuickSelect for kth largest number:
    Select a pivot element
    Split array around pivot
    If (k < new pivot index)
       perform quickselect on left hand sub array
     else if (k > new pivot index)
       perform quickselect on right hand sub array (make sure to offset k by size of lefthand array + 1)
     else
       return pivot

This is quite obviously based on the good old quicksort algorithm.

Following this algorithm through, always selecting element zero as the pivot every time:

select 4th largest number:
1) array = {1, 3, 2, 7, 11, 0, -4}
partition with 1 as pivot
{0, -4, _1_, 3, 2, 7, 11}
4 > 2 (new pivot index) so...

2) Select 1st (4 - 3) largest number from right sub array
array = {3, 2, 7, 11}
partition with 3 as pivot
{2, _3_, 7, 11}
1 < 2 (new pivot index) so...

3) select 1st largest number from left sub array
array = {2}

4) Done, 4th largest number is 2

This will leave your array in an undefined order afterwards, it’s up to you if that’s a problem.

answered Mar 6, 2010 at 18:09

Martin's user avatar

MartinMartin

12.4k12 gold badges64 silver badges128 bronze badges

Step 1. Decide on first two numbers.
Step 2. Loop through remaining numbers.
Step 3. Maintain latest maximum and second maximum.
Step 4. When updating second maximum, be aware that you are not making maximum and second maximum equal.

Tested for sorted input (ascending and descending), random input, input having duplicates, works fine.

#include <iostream>
#define MAX 50
int GetSecondMaximum(int* data, unsigned int size)
{
    int max, secmax;
    // Decide on first two numbers
    if (data[0] > data[1])
    {
        max = data[0];
        secmax = data[1];
    }
    else
    {
        secmax = data[0];
        max = data[1];
    }
    // Loop through remaining numbers
    for (unsigned int i = 2; i < size; ++i)
    {
        if (data[i] > max)
        {
            secmax = max;
            max = data[i];
        }
        else if (data[i] > secmax && data[i] != max/*removes duplicate problem*/)
            secmax = data[i];
    }
    return secmax;
}
int main()
{
    int data[MAX];
    // Fill with random integers
    for (unsigned int i = 0; i < MAX; ++i)
    {
        data[i] = rand() % MAX;
        std::cout << "[" << data[i] << "] "; // Display input
    }
    std::cout << std::endl << std::endl;
    // Find second maximum
    int nSecondMax = GetSecondMaximum(data, MAX);
    // Display output
    std::cout << "Second Maximum = " << nSecondMax << std::endl;
    // Wait for user input
    std::cin.get();
    return 0;
}

answered Mar 6, 2010 at 18:39

Rajendra Uppal's user avatar

Rajendra UppalRajendra Uppal

18.9k15 gold badges59 silver badges57 bronze badges

Other way to solve this problem, is to use comparisons among the elements. Like for example,

a[10] = {1,2,3,4,5,6,7,8,9,10}

Compare 1,2 and say max = 2 and second max = 1

Now compare 3 and 4 and compare the greatest of them with max.

if element > max
     second max = max
     element = max
else if element > second max
     second max = element

The advantage with this is, you are eliminating two numbers in just two comparisons.

Let me know, if you have any problem understanding this.

answered Mar 7, 2010 at 6:19

Boolean's user avatar

BooleanBoolean

14.2k30 gold badges88 silver badges129 bronze badges

1

Check this solution.

max1 = a[0];
max2 = a[1];

for (i = 1; i < n; i++)
{
    if (max1 < a[i])
    {
        max2 = max1;
        max1 = a[i];
    }

    if (max2 == max1) max2 = a[i + 1];

    if (max2 == a[n])
    {
        printf("All numbers are the same no second max.n");
        return 0;
    }

    if (max2 < a[i] && max1 != a[i]) max2 = a[i];
}

Mario S's user avatar

Mario S

11.7k24 gold badges38 silver badges47 bronze badges

answered Oct 16, 2011 at 20:11

mitta's user avatar

mittamitta

111 bronze badge

1

Here is something which may work ,

public static int secondLargest(int[] a){
    int max=0;
    int secondMax=0;

    for(int i=0;i<a.length;i++){
        if(a[i]<max){
            if(a[i]>secondMax){
                secondMax=a[i];
            }
            continue;
        }

        if(a[i]>max){
            secondMax=max;
            max=a[i];
        }

    }
    return secondMax;
}

Kevin's user avatar

Kevin

53.3k15 gold badges99 silver badges130 bronze badges

answered Nov 26, 2011 at 18:03

nikhil's user avatar

The upper bound should have be n+log2⁡n−2, but it bigger than O(n) in case of random selection algorithm, but in worst case it much smaller. The solution might be

  1. build a tree like to find the MAX element with n – 1 comparisons

    max(N)
    /
    max(N/2) max(N/2)

  2. remove the MAX and find the MAX again log2n – 1 comparison

PS. It uses additional memory, but it faster than random selection algorithm in worst case.

answered Apr 5, 2012 at 11:47

vasste's user avatar

Can’t we just sort this in decreasing order and take the 2nd element from the sorted array?

answered Oct 5, 2012 at 0:16

jhon's user avatar

jhonjhon

872 silver badges10 bronze badges

How about the following below.
make_heap is O(n) so this is efficient and this is 1-pass
We find the second max by taking advantage that it must be one of the heap children of the parent, which had the maximum.

#include <algorithm>
#include <iostream>

int main()
{
    int arr[6]={0,1,2,3,4,5};

    std::make_heap(arr, arr+6);
    std::cout << "First Max: " << arr[0] << 'n';
    std::cout << "Second Max: " << std::max(arr[1], arr[2]) << 'n';
    return 0;
}

answered Jan 7, 2013 at 17:39

SJHowe's user avatar

SJHoweSJHowe

7565 silver badges11 bronze badges

int max,secondMax;
max=secondMax=array[0];
                                                for(int i=0;i<array.length;i++)
    {                                                   if(array[i]>max)                                                    {                                           max=array[i];                                                   }
                                                        if(array[i]>secondMax && array[i]<max)                                                  {
    secondMax=array[i];                                                 }
    }

answered Apr 22, 2013 at 9:48

Fakhar uz zaman's user avatar

#include <iostream>
using namespace std;

int main() {

   int  max = 0;
    int sec_Max = 0;

    int array[] = {81,70,6,78,54,77,7,78};

    int loopcount = sizeof(array)/sizeof(int);

    for(int i = 0 ; i < loopcount ; ++i)
    {

        if(array[i]>max)
        {
            sec_Max = max;
            max = array[i];
        }

        if(array[i] > sec_Max && array[i] < max)
        {
            sec_Max = array[i];
        }
    }

    cout<<"Max:" << max << " Second Max: "<<sec_Max<<endl;

    return 0;
}

coyotte508's user avatar

coyotte508

9,0256 gold badges43 silver badges63 bronze badges

answered Jun 5, 2016 at 11:18

Bunny's user avatar

BunnyBunny

11 bronze badge

1

// Set the first two different numbers as the maximum and second maximum numbers

 int max = array[0];
 int i = 1;
//n is the amount of numbers

 while (array[i] == max && i < n) i++;
 int sec_max = array[i];
 if( max < sec_max ) {
    tmp = sec_max;
    sec_max = max;
    max = tmp;
 }

//find the second maximum number

 for( ; i < n; ++i ) {
   if( array[i] > max ) {
     sec_max = max;
     max = array[i];
   } else if( array[i] > sec_max && array[i] != max ) {
     sec_max = array[i];
   }
 }
 printf("The second maximum number is %dn", sec_max);

Flexo's user avatar

Flexo

86.9k22 gold badges190 silver badges272 bronze badges

answered Sep 24, 2011 at 12:13

tianya's user avatar

tianyatianya

931 silver badge4 bronze badges

1

Добавить комментарий