C++ Deque::front() 函数



C++ 的std::deque::front()函数用于访问双端队列的第一个元素。它返回对双端队列中第一个元素的引用,而不将其移除。这允许直接访问修改元素。

当我们尝试在空双端队列上调用 front() 函数时,会导致未定义行为。

语法

以下是 std::deque::front() 函数的语法。

reference front();
const_reference front() const;

参数

它不接受任何参数。

返回值

它返回对双端队列容器中第一个元素的引用。

异常

如果在空双端队列上调用此函数,则会抛出未定义行为。

时间复杂度

此函数的时间复杂度为常数,即 O(1)。

示例

在以下示例中,我们将考虑 front() 函数的基本用法。

#include <iostream>
#include <deque>
int main()
{
    std::deque<char> a = {'A', 'B', 'C', 'D'};
    char x = a.front();
    std::cout << "Front Element Is: " << x << std::endl;
    return 0;
}

输出

以上代码的输出如下:

Front Element Is: A

示例

考虑以下示例,我们将修改第一个元素。

#include <iostream>
#include <deque>
int main()
{
    std::deque<char> a = {'A', 'B', 'C'};
    a.front() = 'Y';
    std::cout << "After Modification Front Element Is: " << a.front() << std::endl;
    return 0;
}

输出

以下是以上代码的输出:

After Modification Front Element Is: Y

示例

在以下示例中,我们将检查双端队列是否为空,然后再使用 front() 访问第一个元素。

#include <iostream>
#include <deque>
int main()
{
    std::deque<int> a;
    if (!a.empty()) {
        std::cout << "First Element Is: " << a.front() << std::endl;
    } else {
        std::cout << "The deque is empty." << std::endl;
    }
    return 0;
}

输出

如果我们运行以上代码,它将生成以下输出:

The deque is empty.
deque.htm
广告