Comment puis-je obtenir le "nom d'utilisateur" réel sans utiliser l'environnement (getenv, ...) dans un programme?
La fonction getlogin_r()
définie dans unistd.h
renvoie le nom d'utilisateur. Voir man getlogin_r
pour plus d'informations.
Sa signature est:
int getlogin_r(char *buf, size_t bufsize);
Il va sans dire que cette fonction peut tout aussi bien être appelée en C ou C++.
De http://www.unix.com/programming/21041-getting-username-c-program-unix.html :
/* whoami.c */
#define _PROGRAM_NAME "whoami"
#include <stdlib.h>
#include <pwd.h>
#include <stdio.h>
int main(int argc, char *argv[])
{
register struct passwd *pw;
register uid_t uid;
int c;
uid = geteuid ();
pw = getpwuid (uid);
if (pw)
{
puts (pw->pw_name);
exit (EXIT_SUCCESS);
}
fprintf (stderr,"%s: cannot find username for UID %u\n",
_PROGRAM_NAME, (unsigned) uid);
exit (EXIT_FAILURE);
}
Prenez simplement les lignes principales et encapsulez-les en classe:
class Env{
public:
static std::string getUserName()
{
uid_t uid = geteuid ();
struct passwd *pw = getpwuid (uid);
if (pw)
{
return std::string(pw->pw_name);
}
return {};
}
};
Pour C uniquement:
const char *getUserName()
{
uid_t uid = geteuid();
struct passwd *pw = getpwuid(uid);
if (pw)
{
return pw->pw_name;
}
return "";
}