Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

initial value of reference to non-const must be an lvalue

I'm trying to send value into function using reference pointer but it gave me a completely non-obvious error

#include "stdafx.h" #include <iostream>  using namespace std;  void test(float *&x){          *x = 1000; }  int main(){     float nKByte = 100.0;     test(&nKByte);     cout << nKByte << " megabytes" << endl;     cin.get(); } 

Error : initial value of reference to non-const must be an lvalue

I have no idea what I must do to repair above code, can someone give me some ideas on how to fix that code?

like image 775
Mohd Shahril Avatar asked Jul 21 '13 10:07

Mohd Shahril


1 Answers

When you pass a pointer by a non-const reference, you are telling the compiler that you are going to modify that pointer's value. Your code does not do that, but the compiler thinks that it does, or plans to do it in the future.

To fix this error, either declare x constant

// This tells the compiler that you are not planning to modify the pointer // passed by reference void test(float * const &x){     *x = 1000; } 

or make a variable to which you assign a pointer to nKByte before calling test:

float nKByte = 100.0; // If "test()" decides to modify `x`, the modification will be reflected in nKBytePtr float *nKBytePtr = &nKByte; test(nKBytePtr); 
like image 116
Sergey Kalinichenko Avatar answered Sep 16 '22 15:09

Sergey Kalinichenko