Disclaimer: Please verify that whichever of the following solutions you choose to use indeed increases the stack limit for the execution of the solution, since different OSes/versions can behave differently.

On Linux (and probably MacOS), running ulimit -s unlimited in every instance of the shell you use to execute your program will work just fine (assuming you don’t have a hard limit). On some compilers, passing -Wl,--stack=268435456 to the compiler options should give you a 256MB stack.

But a much easier way from my comment a couple of years ago, originally from here, is to do this in your Meta Hacker Cup template:

#include <bits/stdc++.h>
using namespace std;

void main_() {
    // implement your solution here
}

static void run_main() {
    main_();
    exit(0);
}
int main() {
    size_t stsize = 1024 * 1024 * 1024; // run with a 1 GiB stack
    char *stack, *send;
    stack = (char *)malloc(stsize);
    send = stack + stsize;
    send = (char *)((uintptr_t)send / 16 * 16);
    asm volatile(
        "mov %0, %%rsp\n"
        "call *%1\n"
        :
        : "r"(send), "r"(run_main));
    return 0;
}

It apparently works with Windows as well, as a commenter confirmed, and I believe it should work with MacOS as well.

UPD: To use this on 32 bit systems/compilers, replacing %rsp with %esp works. I haven’t tried changing this for ARM, so any solutions which do the same thing for ARM would be appreciated.

UPD2: Updated to prevent potential compiler shenanigans. Thanks to simonlindholm for pointing this out.