次のC++関数を記述して、システムにインストールされているRAM)の量をプログラムで判断しました。これは機能しますが、これを行うにはもっと簡単な方法があるはずです。誰か教えてもらえますか?何かが足りない場合は?
_getRAM()
{
FILE* stream = popen( "head -n1 /proc/meminfo", "r" );
std::ostringstream output;
int bufsize = 128;
while( !feof( stream ) && !ferror( stream ))
{
char buf[bufsize];
int bytesRead = fread( buf, 1, bufsize, stream );
output.write( buf, bytesRead );
}
std::string result = output.str();
std::string label, ram;
std::istringstream iss(result);
iss >> label;
iss >> ram;
return ram;
}
_
まず、popen("head -n1 /proc/meminfo")
を使用して、システムからmeminfoファイルの最初の行を取得しています。そのコマンドの出力は次のようになります
MemTotal:775280 kB
その出力をistringstream
に取得したら、トークン化して必要な情報を取得するのは簡単です。私の質問は、このコマンドの出力を読み取るためのより簡単な方法はありますか?システムRAMの量を読み取るための標準C++ライブラリ呼び出しはありますか?
Linuxでは、次の構造体で値を設定する関数sysinfo
を使用できます。
#include <sys/sysinfo.h>
int sysinfo(struct sysinfo *info);
struct sysinfo {
long uptime; /* Seconds since boot */
unsigned long loads[3]; /* 1, 5, and 15 minute load averages */
unsigned long totalram; /* Total usable main memory size */
unsigned long freeram; /* Available memory size */
unsigned long sharedram; /* Amount of shared memory */
unsigned long bufferram; /* Memory used by buffers */
unsigned long totalswap; /* Total swap space size */
unsigned long freeswap; /* swap space still available */
unsigned short procs; /* Number of current processes */
unsigned long totalhigh; /* Total high memory size */
unsigned long freehigh; /* Available high memory size */
unsigned int mem_unit; /* Memory unit size in bytes */
char _f[20-2*sizeof(long)-sizeof(int)]; /* Padding for libc5 */
};
C++の関数のみを使用してそれを実行したい場合(私はsysinfo
に固執します)、std::ifstream
とstd::string
を使用してC++アプローチを取ることをお勧めします。
unsigned long get_mem_total() {
std::string token;
std::ifstream file("/proc/meminfo");
while(file >> token) {
if(token == "MemTotal:") {
unsigned long mem;
if(file >> mem) {
return mem;
} else {
return 0;
}
}
// ignore rest of the line
file.ignore(std::numeric_limits<std::streamsize>::max(), '\n');
}
return 0; // nothing found
}
/ proc/meminfoは単なるファイルであることを忘れないでください。ファイルを開き、最初の行を読み、ファイルを閉じます。ボイラ!
popen()
を使用する必要はありません。自分でファイルを読み取ることができます。また、最初の行が探しているものでない場合、head -n1
は最初の行のみを読み取って終了するため、失敗します。なぜCとC++ I/Oをそのように混合しているのかわかりません。それは完全にOKですが、おそらくすべてCまたはすべてC++を選択する必要があります。私はおそらく次のようなことをします:
int GetRamInKB(void)
{
FILE *meminfo = fopen("/proc/meminfo", "r");
if(meminfo == NULL)
... // handle error
char line[256];
while(fgets(line, sizeof(line), meminfo))
{
int ram;
if(sscanf(line, "MemTotal: %d kB", &ram) == 1)
{
fclose(meminfo);
return ram;
}
}
// If we got here, then we couldn't find the proper line in the meminfo file:
// do something appropriate like return an error code, throw an exception, etc.
fclose(meminfo);
return -1;
}
top
(procps
から)でさえ/proc/meminfo
を解析します。 ここ を参照してください。