aslbj15
aslbj15

Reputation: 23

Implementing history in own shell C++

I am implementing the history command in my own shell, in C++. I am writing it in NonCanonicalMode. I have implemented the up arrow key and down arrow key as well as backspace. I do not know how to start history. Should I use a built in function from one of the C++ libraries?

----EDit

char *buf;

rl_bind_key('\t',rl_abort);//disable auto-complete

while((buf = readline("\n >> "))!=NULL)
{
    if (strcmp(buf,"quit")==0)
        break;

    printf("[%s]\n",buf);

    if (buf[0]!=0)
        add_history(buf);
}

Upvotes: 0

Views: 2196

Answers (1)

Galik
Galik

Reputation: 48615

I have not used NonCanonicalMode but here is how I implemented readline's history in one of my projects.

Maybe it will be of some use to you:

#include <string>
#include <memory>
#include <iostream>
#include <algorithm>

#include <readline/readline.h>
#include <readline/history.h>

// clean up user input by deleting spaces from each end
inline std::string& trim(std::string& s, const char* t = " \t")
{
    s.erase(s.find_last_not_of(t) + 1);
    s.erase(0, s.find_first_not_of(t));
    return s;
}

// smart pointer to clean up memory
// allocated by readline

struct malloc_deleter
{
    template <class T>
    void operator()(T* p) { std::free(p); }
};

typedef std::unique_ptr<char, malloc_deleter> cstring_uptr;

int main()
{
    // this directory needs to exist beforehand
    const std::string config_dir = "/home/wibble/.prog";

    using_history();
    read_history((config_dir + "/.history").c_str());

    std::string shell_prompt = "> ";

    cstring_uptr input;
    std::string line, prev;

    input.reset(readline(shell_prompt.c_str()));

    // copy input into a std::string
    while(input && trim(line = input.get()) != "exit")
    {
        if(!line.empty())
        {
            // only add line to history if it is different
            // from previous line
            if(line != prev)
            {
                add_history(line.c_str());
                write_history((config_dir + "/.history").c_str());
                prev = line;
            }

            // process the input
            std::reverse(line.begin(), line.end());

            // give relevant output
            std::cout << "reply: " << line << '\n';

        }
        input.reset(readline(shell_prompt.c_str()));
    }
}

I don't like that I need to call readline() in two places but I wasn't able to figure how to re-write the loop to avoid it. Maybe I'm missing something simple?

It uses a smart pointer std::unique_ptr with a custom deleter to clean up the buffers that readline allocates using malloc().

Upvotes: 1

Related Questions