ошибка: ожидаемое первичное выражение перед '.' знак - PullRequest
4 голосов
/ 14 декабря 2011

В настоящее время я учу себя C ++, используя C ++ для чайников All-In-One;второе издание.Для создания этой программы я использую Qt.Я понимаю, что хорошей практикой является организация объектов и классов в ваших заголовочных файлах и, возможно, ваших функциях-членах в файле .cpp, построенном в дополнение к main.cpp.В связи с этим я пытаюсь выполнить упражнения, описанные в этой книге, как таковые, но совсем недавно обнаружил следующую ошибку:

expected primary-expression before '.' token

Эта ошибка возникает в строках 31, 32 и 37, поэтому они, похоже, имеют отношение к моемучлен класса функционирует специально.

My main.cpp

#include "controlinginput.h"
#include <QtCore/QCoreApplication>
#include <iostream>
#include <sstream>


using namespace std;

int main(int argc, char *argv[])
{
QCoreApplication a(argc, argv);


// just a basic name-entering
string name;
cout << "What is your name?";
cin >> name;
cout << "Hello " << name << endl;

/* now you are asked for a number
  but the computer will allow you to enter anything*/
int x;
cout << endl << "Enter a number! Any Number!" << endl;
cin >> x;
cout << "You choose " << x << endl;

/* now youll be asked for a number again
  but the computer will only allow numbers */
cout << endl<< "This time you will ONLY be able to enter a number! " << endl;
cout << "SO, Pick a number! any number!" << endl;
string entered = ControlingInput.enterOnlyNumbers(); // ###Error###        
int num = ControlingInput.stringToANumber(entered); // ###Error###
cout << endl << "You entered " << num << endl; // value is displayed
//Now finally we enter the password
cout << endl;
cout << "Please enter a password" << endl;
string password = ControlingInput.EnterPassword(); // ###Error###
cout << "shh... your password is " << password << endl;
return a.exec();
}

Я провел некоторое исследование, чтобы обнаружить, что эта ошибка указывает на довольно широкий диапазон неправильного использования синтаксиса.К сожалению, я не смог найти экземпляр, который был похож на мой;Я надеялся получить представление от некоторых более опытных программистов.Если это простой вопрос, связанный с небрежностью с моей стороны, я заранее прошу прощения и благодарен за отзыв.Я лучше узнаю, если это доставит мне массу неприятностей, а не немного ..

Поскольку они включают в себя мои функции-члены, я также включил мой заголовочный файл и .cpp

controlingInput.cpp (Iвключили мой заголовочный файл и iostream и sstream здесь, но по какой-то причине редактор доставлял мне проблемы здесь)

using namespace std;

ControlingInput::ControlingInput()
{

}
int ControlingInput::stringToANumber(string MyString)
{
istringstream converter(MyString); //Holds the string that was passed to this function
int result;                        //Holds the integer result

//perform the conversion
converter >> result;
return result; //function completes and returns converted string

}

string ControlingInput::enterOnlyNumbers()
{
string numbAsString = ""; // this holds our numeric string
        char ch = getch();  // This gets a single character from our user
//Says to keep gettting characters from our user untill user presses enter
        while (ch != '\r') // \r is the enter key
        {
           //This says to add characters only if they are numbers
            if (ch >= '0' && ch <='9')
            {
                cout << ch; // show
                numbAsString += ch; // add character to the string
            }

            ch = getch(); // get the next character from the user

        }
        return numbAsString;

}

string ControlingInput::EnterPassword()
{
string numbAsString = ""; //this will hold our password string
char ch = getch(); // this gets a single char from our users just like before
//keep gettting characters from the user until enter/return is pressed
while (ch != '\r'); // \r is the enter or return key
{
    //for security passwords are displayed as asterisks instead of characters
    cout << '*';

    //add character input into the password string
    numbAsString += ch;

    //Get the next character from the user
    ch = getch();
}
return numbAsString; // return the user input from this function

А вот мой controlingInput.h

#ifndef CONTROLINGINPUT_H
#define CONTROLINGINPUT_H
#include <iostream>

using namespace std;

class ControlingInput
{
public:
int stringToANumber(string MyString);
string EnterPassword();
string enterOnlyNumbers();

};

#endif // CONTROLINGINPUT_H

Заранее спасибо за любые отзывы.

1 Ответ

6 голосов
/ 14 декабря 2011

Вы пытаетесь вызвать переменные экземпляра с самим классом, как если бы они были статическими (что по-прежнему было бы недопустимым синтаксисом). Для правильной работы вам необходим экземпляр ControlingInput.

.
int main(int argc, char *argv[])
{

    QCoreApplication a(argc, argv);

    ControlingInput ctrlInput; //Create instance
    ...

    string entered = ctrlInput.enterOnlyNumbers();        
    int num = ctrlInput.stringToANumber(entered);
    cout << endl << "You entered " << num << endl; // value is displayed
    ...

    string password = ctrlInput.EnterPassword();
    cout << "shh... your password is " << password << endl;
    return a.exec();

}
Добро пожаловать на сайт PullRequest, где вы можете задавать вопросы и получать ответы от других членов сообщества.
...