#include <iostream>
using std::cin, std::cout, std::endl;
using std::ostream;
class list_t {
struct node_t {
int num;
node_t *next;
node_t(int x): num(x), next(nullptr) {}
};
node_t *head = nullptr;
static void list_free(node_t *node) {
if(!node) return;
list_free(node->next);
delete node;
}
public:
list_t(size_t size) {
node_t **next = &this->head;
for(size_t i = 0; i < size; ++i) {
*next = new node_t(i + 1);
next = &(*next)->next;
}
}
~list_t() {this->list_free(this->head);}
friend ostream &operator<<(ostream &os, const list_t &list) {
for(node_t *node = list.head; node; node = node->next)
os << node->num << " ";
return os;
}
};
int main() {
int size; cin >> size;
cout << list_t(size) << endl;
return 0;
}
|