[Облегченный сервис RTSP] Экран | сбор звука камеры в операционной системе Kirin |
[Облегченный сервис RTSP] Экран | сбор звука камеры в операционной системе Kirin |

фон

С развитием отечественных операционных систем традиционные отрасли все чаще требуют платформ Linux. За последние несколько лет мы выпустили модули передачи RTSP для RTMP операторского уровня, модули отправки RTMP и модули воспроизведения RTSP и RTMP для Linux. Некоторое время назад некоторые разработчики спросили нас, можем ли мы реализовать облегченные службы RTSP на платформе Linux. Собрав камеры или экраны, мы можем реализовать на платформе Linux функции, аналогичные IPC, для облегчения стыковки сторонних систем.

Техническая реализация

Облегченный сервис RTSP действительно был реализован, когда мы работали над модулем Linux несколько дней назад, но мы не добавили его в демо-версию. Причина очень проста. С одной стороны, это требование относительно невелико. с другой стороны, наши окна. Платформы Android и iOS имеют связанные интерфейсы и демонстрации, а вызовы интерфейсов в основном схожи.

Без лишних слов, вот код:

Запустите службу RTSP:

Язык кода:javascript
копировать
bool StartRTSPService(NT_SmartPublisherSDKAPI* push_api)
    {
        push_api->OpenRtspServer(&rtsp_server_handle_, 0);

        if (!rtsp_server_handle_)
        {
            fprintf(stderr, "Create Rtsp Server failed..\n");
            return false;
        }
        else
        {
            int port = 18554;
            if (NT_ERC_OK != push_api->SetRtspServerPort(rtsp_server_handle_, port))
            {
                push_api->CloseRtspServer(rtsp_server_handle_);
                rtsp_server_handle_ = nullptr;
                fprintf(stderr, "Set Rtsp Server port failed, not in range..\n");
                return false;
            }

            //std::string user_name = "admin";
            //std::string password = "123456";
            //push_api->SetRtspServerUserNamePassword(rtsp_server_handle_, user_name.c_str(), password.c_str());

            //bool is_multicast = false;
            //push_api->SetRtspServerMulticast(rtsp_server_handle_, is_multicast ? 1 : 0);

            if (push_api->StartRtspServer(rtsp_server_handle_, 0) == 0) {
                fprintf(stdout, "Start Rtsp server succeed!\n");
            }
            else
            {
                push_api->CloseRtspServer(rtsp_server_handle_);
                rtsp_server_handle_ = nullptr;
                fprintf(stderr, "Start Rtsp server failed, please check if port in usage..");
                return false;
            }
        }

        return true;
    }

Начать публикацию RTSP-потока:

Язык кода:javascript
копировать
NT_HANDLE StartPush(NT_SmartPublisherSDKAPI* push_api, const std::string& rtmp_url, int dst_fps)
    {
        NT_INT32 pulse_device_number = 0;
        if (NT_ERC_OK == push_api->GetAuidoInputDeviceNumber(2, &pulse_device_number))
        {
            fprintf(stdout, "Pulse device num:%d\n", pulse_device_number);
            char device_name[512];

            for (auto i = 0; i < pulse_device_number; ++i)
            {
                if (NT_ERC_OK == push_api->GetAuidoInputDeviceName(2, i, device_name, 512))
                {
                    fprintf(stdout, "index:%d name:%s\n", i, device_name);
                }
            }
        }

        NT_INT32 alsa_device_number = 0;
        if (pulse_device_number < 1)
        {
            if (NT_ERC_OK == push_api->GetAuidoInputDeviceNumber(1, &alsa_device_number))
            {
                fprintf(stdout, "Alsa device num:%d\n", alsa_device_number);
                char device_name[512];
                for (auto i = 0; i < alsa_device_number; ++i)
                {
                    if (NT_ERC_OK == push_api->GetAuidoInputDeviceName(1, i, device_name, 512))
                    {
                        fprintf(stdout, "index:%d name:%s\n", i, device_name);
                    }
                }
            }
        }

        NT_INT32 capture_speaker_flag = 0;
        if ( NT_ERC_OK == push_api->IsCanCaptureSpeaker(2, &capture_speaker_flag) )
        {
            if (capture_speaker_flag)
                fprintf(stdout, "Support speaker capture\n");
            else
                fprintf(stdout, "UnSupport speaker capture\n");
        }

        NT_INT32 is_support_window_capture = 0;
        if (NT_ERC_OK == push_api->IsCaptureXWindowSupported(NULL, &is_support_window_capture))
        {
            if (is_support_window_capture)
                fprintf(stdout, "Support window capture\n");
            else
                fprintf(stdout, "UnSupport window capture\n");
        }

        if (is_support_window_capture)
        {
            NT_INT32 win_count = 0;
            if (NT_ERC_OK == push_api->UpdateCaptureXWindowList(NULL, &win_count) && win_count > 0 )
            {

                fprintf(stdout, "X Capture Winows list++\n");

                for (auto i = 0; i < win_count; ++i)
                {
                    NT_UINT64 wid;
                    char title[512];

                    if (NT_ERC_OK == push_api->GetCaptureXWindowInfo(i, &wid, title, sizeof(title) / sizeof(char)))
                    {
                        x_win_list.push_back(wid);
                        fprintf(stdout, "wid:%llu, title:%s\n", wid, title);
                    }
                }

                fprintf(stdout, "X Capture Winows list--\n");
            }
        }

        std::vector<CameraInfo> cameras;
        GetCameraInfo(push_api, cameras);

        if (!cameras.empty())
        {
            fprintf(stdout, "cameras count:%d\n", (int)cameras.size());

            for (const auto& c : cameras)
            {
                fprintf(stdout, "camera name:%s, id:%s, cap_num:%d\n", c.name_.c_str(), c.id_.c_str(), (int)c.capabilities_.size());

                for (const auto& i : c.capabilities_)
                {
                    fprintf(stdout, "cap w:%d, h:%d, fps:%d\n", i.width_, i.height_, i.max_frame_rate_);
                }
            }
        }

        NT_UINT32 auido_option = NT_PB_E_AUDIO_OPTION_NO_AUDIO;

        if (pulse_device_number > 0 || alsa_device_number > 0)
        {
            auido_option = NT_PB_E_AUDIO_OPTION_CAPTURE_MIC;
        }
        else if (capture_speaker_flag)
        {
            auido_option = NT_PB_E_AUDIO_OPTION_CAPTURE_SPEAKER;
        }

        //auido_option = NT_PB_E_AUDIO_OPTION_CAPTURE_MIC_SPEAKER_MIXER;

        NT_UINT32 video_option = NT_PB_E_VIDEO_OPTION_SCREEN;

        if (!cameras.empty())
        {
            video_option = NT_PB_E_VIDEO_OPTION_CAMERA;
        }
        else if (is_support_window_capture)
        {
            video_option = NT_PB_E_VIDEO_OPTION_WINDOW;
        }

        // video_option = NT_PB_E_VIDEO_OPTION_LAYER;

        //video_option = NT_PB_E_VIDEO_OPTION_NO_VIDEO;

        NT_HANDLE push_handle = nullptr;

        //if (NT_ERC_OK != push_api->Open(&push_handle, NT_PB_E_VIDEO_OPTION_LAYER, NT_PB_E_AUDIO_OPTION_CAPTURE_SPEAKER, 0, NULL))
        if (NT_ERC_OK != push_api->Open(&push_handle, video_option, auido_option, 0, NULL))
        {
            return nullptr;
        }

        push_api->SetEventCallBack(push_handle, nullptr, OnSDKEventHandle);

        //push_api->SetXDisplayName(push_handle, ":0");
        //push_api->SetXDisplayName(push_handle, NULL);

        // Метод настройки видеослоя
        if (NT_PB_E_VIDEO_OPTION_LAYER == video_option)
        {
            std::vector<std::shared_ptr<nt_pb_sdk::layer_conf_wrapper_base> > layer_confs;

            auto index = 0;

            //// Слой 0 заполнен прямоугольником RGBA, Целью является обеспечение частоты кадров, Цвет заполнен черным
            auto rgba_layer_c0 = std::make_shared<nt_pb_sdk::RGBARectangleLayerConfigWrapper>(index++, true, 0, 0, 1280, 720);

            rgba_layer_c0->conf_.red_ = 200;
            rgba_layer_c0->conf_.green_ = 200;
            rgba_layer_c0->conf_.blue_ = 200;
            rgba_layer_c0->conf_.alpha_ = 255;

            layer_confs.push_back(rgba_layer_c0);

            ////// Первый уровень — это слой рабочего стола.
            //auto screen_layer_c1 = std::make_shared<nt_pb_sdk::ScreenLayerConfigWrapper>(index++, true, 0, 0, 1280, 720);

            //screen_layer_c1->conf_.scale_filter_mode_ = 3;

            //layer_confs.push_back(screen_layer_c1);

            //// Первый слой — окно
            if (!x_win_list.empty())
            {
                auto window_layer_c1 = std::make_shared<nt_pb_sdk::WindowLayerConfigWrapper>(index++, true, 0, 0, 640, 360);

                window_layer_c1->conf_.xwindow_ = x_win_list.back();

                layer_confs.push_back(window_layer_c1);
            }

            //// слой камеры
            if (!cameras.empty())
            {
                auto camera_layer_c1 = std::make_shared<nt_pb_sdk::CameraLayerConfigWrapper>(index++, true,
                    640, 0, 640, 360);

                strcpy(camera_layer_c1->conf_.device_unique_id_, cameras.front().id_.c_str());

                camera_layer_c1->conf_.is_flip_horizontal_ = 0;
                camera_layer_c1->conf_.is_flip_vertical_ = 0;
                camera_layer_c1->conf_.rotate_degress_ = 0;

                layer_confs.push_back(camera_layer_c1);

                if (cameras.size() > 1)
                {
                    auto camera_layer_c2 = std::make_shared<nt_pb_sdk::CameraLayerConfigWrapper>(index++, true,
                        640, 0, 320, 240);

                    strcpy(camera_layer_c2->conf_.device_unique_id_, cameras.back().id_.c_str());

                    camera_layer_c2->conf_.is_flip_horizontal_ = 0;
                    camera_layer_c2->conf_.is_flip_vertical_ = 0;
                    camera_layer_c2->conf_.rotate_degress_ = 0;

                    layer_confs.push_back(camera_layer_c2);
                }
            }

            auto image_layer1 = std::make_shared<nt_pb_sdk::ImageLayerConfigWrapper>(index++, true, 650, 120, 324, 300);

            strcpy(image_layer1->conf_.file_name_utf8_, "./testpng/tca.png");

            layer_confs.push_back(image_layer1);

            auto image_layer2 = std::make_shared<nt_pb_sdk::ImageLayerConfigWrapper>(index++, true, 120, 380, 182, 138);

            strcpy(image_layer2->conf_.file_name_utf8_, "./testpng/t4.png");

            layer_confs.push_back(image_layer2);

            std::vector<const NT_PB_LayerBaseConfig* > layer_base_confs;

            for (const auto& i : layer_confs)
            {
                layer_base_confs.push_back(i->getBase());
            }

            if (NT_ERC_OK != push_api->SetLayersConfig(push_handle, 0, layer_base_confs.data(),
                layer_base_confs.size(), 0, nullptr))
            {
                push_api->Close(push_handle);
                push_handle = nullptr;
                return nullptr;
            }
        }

        // push_api->SetScreenClip(push_handle, 0, 0, 1280, 720);

        if (video_option == NT_PB_E_VIDEO_OPTION_CAMERA)
        {
            if (!cameras.empty())
            {
                push_api->SetVideoCaptureDeviceBaseParameter(push_handle, cameras.front().id_.c_str(),
                    640, 480);

                //push_api->FlipVerticalCamera(push_handle, 1);
                //push_api->FlipHorizontalCamera(push_handle, 1);
                //push_api->RotateCamera(push_handle, 0);
            }
        }

        if (video_option == NT_PB_E_VIDEO_OPTION_WINDOW)
        {
            if (!x_win_list.empty())
            {
                //push_api->SetCaptureXWindow(push_handle, x_win_list[0]);
                push_api->SetCaptureXWindow(push_handle, x_win_list.back());
            }
        }

        push_api->SetFrameRate(push_handle, dst_fps); // Настройки частоты кадров
            
        push_api->SetVideoEncoder(push_handle, 0, 1, NT_MEDIA_CODEC_ID_H264, 0);

        push_api->SetVideoBitRate(push_handle, 2000);  // Средняя скорость кода 2000 кбит/с
        push_api->SetVideoQuality(push_handle, 26); 
        push_api->SetVideoMaxBitRate(push_handle, 4000); // Максимальная скорость кода 4000 кбит/с.

        push_api->SetVideoEncoderSpecialInt32Option(push_handle, "usage_type", 0); //0 — кодировка камеры, 1 — кодировка экрана
        push_api->SetVideoEncoderSpecialInt32Option(push_handle, "rc_mode", 1); // 0 — режим качества, 1 — режим скорости кода
        push_api->SetVideoEncoderSpecialInt32Option(push_handle, "enable_frame_skip", 0); // 0 — отключить пропуск кадров, 1 - включить пропуск кадров

        push_api->SetVideoKeyFrameInterval(push_handle, dst_fps*2); // интервал ключевого кадра
        push_api->SetVideoEncoderProfile(push_handle, 3); // H264 high
        push_api->SetVideoEncoderSpeed(push_handle, 3); // Установите скорость кодирования на 3.

        if (pulse_device_number > 0)
        {
            push_api->SetAudioInputLayer(push_handle, 2);
            push_api->SetAuidoInputDeviceId(push_handle, 0);
        }
        else if (alsa_device_number > 0)
        {
            push_api->SetAudioInputLayer(push_handle, 1);
            push_api->SetAuidoInputDeviceId(push_handle, 0);
        }

        push_api->SetEchoCancellation(push_handle, 1, 0);
        push_api->SetNoiseSuppression(push_handle, 1);
        push_api->SetAGC(push_handle, 1);
        push_api->SetVAD(push_handle, 1);

        push_api->SetInputAudioVolume(push_handle, 0, 1.0);
        push_api->SetInputAudioVolume(push_handle, 1, 0.2);

        // Аудио конфигурация
        push_api->SetPublisherAudioCodecType(push_handle, 1);
        //push_api->SetMute(push_handle, 1);

        if ( NT_ERC_OK != push_api->SetURL(push_handle, rtmp_url.c_str(), NULL) )
        {
            push_api->Close(push_handle);
            push_handle = nullptr;
            return nullptr;
        }

        //Запускаем облегченную службу RTSP
        bool is_rtsp_service_started = StartRTSPService(push_api);

        if (is_rtsp_service_started)
        {
            if (!rtsp_server_handle_)
            {
                fprintf(stderr, "StartRtspStream rtsp server handle is null..");
                return nullptr;
            }

            std::string rtsp_stream_name = "stream1";
            push_api->SetRtspStreamName(push_handle, rtsp_stream_name.c_str());

            push_api->ClearRtspStreamServer(push_handle);

            push_api->AddRtspStreamServer(push_handle, rtsp_server_handle_, 0);

            if (NT_ERC_OK != push_api->StartRtspStream(push_handle, 0))
            {
                push_api->Close(push_handle);
                push_handle = nullptr;
                return nullptr;
            }

            fprintf(stdout, "StartRtspStream succeed..\n");
        }
        
        return push_handle;
    }
}

Основная функция вызывается следующим образом:

Язык кода:javascript
копировать
/*
 * Author: daniusdk.com
*/
int main(int argc, char *argv[])
{
    //signal(SIGINT, &OnSigIntHandler);
    //signal(SIGFPE, &OnSigIntHandler);

    struct sigaction act;
    sigemptyset(&act.sa_mask);
    act.sa_sigaction = OnSaSigaction;
    act.sa_flags = SA_SIGINFO;

    sigaction(SIGINT, &act, NULL);
    sigaction(SIGFPE, &act, NULL);

    XInitThreads(); // X поддерживает многопоточность, Должен быть вызван

    auto display = XOpenDisplay(nullptr);
    if (!display)
    {
        fprintf(stderr, "Cannot connect to X server\n");
        return 0;
    }

    auto screen = DefaultScreen(display);
    auto root = XRootWindow(display, screen);

    XWindowAttributes root_win_att;
    if (!XGetWindowAttributes(display, root, &root_win_att))
    {
        fprintf(stderr, "Get Root window attri failed\n");
        XCloseDisplay(display);
        return 0;
    }

    int main_w = root_win_att.width / 2, main_h = root_win_att.height / 2;

    auto black_pixel = BlackPixel(display, screen);
    auto white_pixel = WhitePixel(display, screen);

    auto main_wid = XCreateSimpleWindow(display, root, 0, 0, main_w, main_h, 0, white_pixel, black_pixel);
    if (!main_wid)
    {
        fprintf(stderr, "Cannot Create Main Window\n");
        XCloseDisplay(display);
        return 0;
    }

    XSelectInput(display, main_wid, StructureNotifyMask | KeyPressMask);

    auto sub_wid = CreateSubWindow(display, screen, main_wid);
    if (!sub_wid)
    {
        fprintf(stderr, "Cannot Create Render Window\n");
        XDestroyWindow(display, main_wid);
        XCloseDisplay(display);
        return 0;
    }

    XMapWindow(display, main_wid);
    XStoreName(display, main_wid, "Video Preview");
    XMapWindow(display, sub_wid);


    LogInit();

    NT_SmartPublisherSDKAPI push_api;
    if (!PushSDKInit(push_api))
    {
        XDestroyWindow(display, sub_wid);
        XDestroyWindow(display, main_wid);
        XCloseDisplay(display);

        return 0;
    }

    auto push_handle = StartPush(&push_api, "rtmp://192.168.0.103:1935/hls/test1", 30);
    if (!push_handle)
    {
        fprintf(stderr, "start push failed.\n");

        XDestroyWindow(display, sub_wid);
        XDestroyWindow(display, main_wid);
        XCloseDisplay(display);

        push_api.UnInit();
        return 0;
    }

    // Включить предварительный просмотр или нет, В соответствии с потребностями
    push_api.SetPreviewXWindow(push_handle, "", sub_wid);
    push_api.StartPreview(push_handle, 0, nullptr);

    // auto push_handle1 = StartPush(&push_api, "rtmp://192.168.0.154:1935/live/test1", 30);

    while (!g_is_exit)
    {
        while (MY_X11_Pending(display, 10))
        {
            XEvent xev;
            memset(&xev, 0, sizeof(xev));
            XNextEvent(display, &xev);

            if (xev.type == ConfigureNotify)
            {
                if (xev.xconfigure.window == main_wid)
                {
                    if (xev.xconfigure.width != main_w || xev.xconfigure.height != main_h)
                    {
                        main_w = xev.xconfigure.width;
                        main_h = xev.xconfigure.height;

                        XMoveResizeWindow(display, sub_wid, 0, 0, main_w - 4, main_h - 4);
                    }
                }
            }
            else if (xev.type == KeyPress)
            {
                if (xev.xkey.keycode == XKeysymToKeycode(display, XK_Escape))
                {
                    fprintf(stdout, "ESC Key Press\n");
                    g_is_exit = true;
                }
            }

            if (g_is_exit)
                break;
        }
    }

    fprintf(stdout, "Skip run loop, is_exit:%d\n", g_is_exit);

    push_api.StopPreview(push_handle);

    push_api.StopRtspStream(push_handle);

    push_api.StopRtspServer(rtsp_server_handle_);

    push_api.CloseRtspServer(rtsp_server_handle_);

    rtsp_server_handle_ = nullptr;

    push_api.Close(push_handle);

    push_handle = nullptr;

    XDestroyWindow(display, sub_wid);
    XDestroyWindow(display, main_wid);
    XCloseDisplay(display);

    push_api.UnInit();

    fprintf(stdout, "SDK UnInit..\n");

    return 0;
}

Параметры аудио и видео, типы, которые можно установить, следующие:

Язык кода:javascript
копировать
/*Определение параметров источника видео*/
typedef enum _NT_PB_E_VIDEO_OPTION
{
    NT_PB_E_VIDEO_OPTION_NO_VIDEO = 0x0,
    NT_PB_E_VIDEO_OPTION_SCREEN   = 0x1, // захват экрана
    NT_PB_E_VIDEO_OPTION_CAMERA      = 0x2, // Коллекция фотоаппаратов
    NT_PB_E_VIDEO_OPTION_LAYER    = 0x3, // Объединение видео, например, наложение камеры на рабочий стол и т. д.
    NT_PB_E_VIDEO_OPTION_ENCODED_DATA = 0x4, // Закодированные видеоданные, в настоящее время поддерживают H264.
    NT_PB_E_VIDEO_OPTION_WINDOW   = 0x5, // Окно коллекции
} NT_PB_E_VIDEO_OPTION;

/*Определение параметров источника Auido*/
typedef enum _NT_PB_E_AUDIO_OPTION
{
    NT_PB_E_AUDIO_OPTION_NO_AUDIO                    = 0x0,
    NT_PB_E_AUDIO_OPTION_CAPTURE_MIC                = 0x1, // Собрать звук с микрофона
    NT_PB_E_AUDIO_OPTION_CAPTURE_SPEAKER            = 0x2, // Приобретите динамики
    NT_PB_E_AUDIO_OPTION_CAPTURE_MIC_SPEAKER_MIXER    = 0x3, // Микс микрофона и динамика
    NT_PB_E_AUDIO_OPTION_ENCODED_DATA                = 0x4, // Закодированные аудиоданные, в настоящее время поддерживаются AAC, широкополосная передача речи (широкополосный mode)
    NT_PB_E_AUDIO_OPTION_EXTERNAL_PCM_DATA            = 0x5, /*Внешние данные PCM*/
    NT_PB_E_AUDIO_OPTION_MIC_EXTERNAL_PCM_MIXER     = 0x6, /* Микширование данных микрофона и внешнего PCM В настоящее время поддерживается только один внешний звук и микширование встроенного микрофона*/
    NT_PB_E_AUDIO_OPTION_TWO_EXTERNAL_PCM_MIXER     = 0x7, /* Два внешних микшера данных PCM*/
} NT_PB_E_AUDIO_OPTION;

Процесс вызова по сути такой же, как у облегченного сервиса RTSP на платформе Windows (фактически сам интерфейс практически такой же).

Подвести итог

Облегченный сервис RTSP на платформе Linux нам знаком. Он в основном используется для демонстрационного отображения. Общая производительность кодирования и задержка проверяются с помощью нашего RTSP-плеера. Это занимает несколько сотен миллисекунд, что полностью соответствует безбумажному экрану. ситуация, образование и технические требования других традиционных отраслей.

boy illustration
Учебное пособие по Jetpack Compose для начинающих, базовые элементы управления и макет
boy illustration
Код js веб-страницы, фон частицы, код спецэффектов
boy illustration
【новый! Суперподробное】Полное руководство по свойствам компонентов Figma.
boy illustration
🎉Обязательно к прочтению новичкам: полное руководство по написанию мини-программ WeChat с использованием программного обеспечения Cursor.
boy illustration
[Забавный проект Docker] VoceChat — еще одно приложение для мгновенного чата (IM)! Может быть встроен в любую веб-страницу!
boy illustration
Как реализовать переход по странице в HTML (html переходит на указанную страницу)
boy illustration
Как решить проблему зависания и низкой скорости при установке зависимостей с помощью npm. Существуют ли доступные источники npm, которые могут решить эту проблему?
boy illustration
Серия From Zero to Fun: Uni-App WeChat Payment Practice WeChat авторизует вход в систему и украшает страницу заказа, создает интерфейс заказа и инициирует запрос заказа
boy illustration
Серия uni-app: uni.navigateЧтобы передать скачок значения
boy illustration
Апплет WeChat настраивает верхнюю панель навигации и адаптируется к различным моделям.
boy illustration
JS-время конвертации
boy illustration
Обеспечьте бесперебойную работу ChromeDriver 125: советы по решению проблемы chromedriver.exe не найдены
boy illustration
Поле комментария, щелчок мышью, специальные эффекты, js-код
boy illustration
Объект массива перемещения объекта JS
boy illustration
Как открыть разрешение на позиционирование апплета WeChat_Как использовать WeChat для определения местонахождения друзей
boy illustration
Я даю вам два набора из 18 простых в использовании фонов холста Power BI, так что вам больше не придется возиться с цветами!
boy illustration
Получить текущее время в js_Как динамически отображать дату и время в js
boy illustration
Вам необходимо изучить сочетания клавиш vsCode для форматирования и организации кода, чтобы вам больше не приходилось настраивать формат вручную.
boy illustration
У ChatGPT большое обновление. Всего за 45 минут пресс-конференция показывает, что OpenAI сделал еще один шаг вперед.
boy illustration
Copilot облачной разработки — упрощение разработки
boy illustration
Микросборка xChatGPT с низким кодом, создание апплета чат-бота с искусственным интеллектом за пять шагов
boy illustration
CUDA Out of Memory: идеальное решение проблемы нехватки памяти CUDA
boy illustration
Анализ кластеризации отдельных ячеек, который должен освоить каждый&MarkerгенетическийВизуализация
boy illustration
vLLM: мощный инструмент для ускорения вывода ИИ
boy illustration
CodeGeeX: мощный инструмент генерации кода искусственного интеллекта, который можно использовать бесплатно в дополнение к второму пилоту.
boy illustration
Машинное обучение Реальный бой LightGBM + настройка параметров случайного поиска: точность 96,67%
boy illustration
Бесшовная интеграция, мгновенный интеллект [1]: платформа больших моделей Dify-LLM, интеграция без кодирования и встраивание в сторонние системы, более 42 тысяч звезд, чтобы стать свидетелями эксклюзивных интеллектуальных решений.
boy illustration
LM Studio для создания локальных больших моделей
boy illustration
Как определить количество слоев и нейронов скрытых слоев нейронной сети?
boy illustration
[Отслеживание целей] Подробное объяснение ByteTrack и детали кода