아두이노 초보입니다 부탁드려요 ㅠㅠ

mygun66 2016-11-30 (수) 21:07 7년전 5025  


 아두이노를 이용하여 ph센서와 ec센서를 제어하고 릴레이를 이용하여 모터를 구동하는 실험을 하고 있습 니다. 그런데 너무 어려워서 ㅠㅠㅠㅠ

 

소스 코드좀 합쳐주시고 ph7이하와 ec는 1이하에서 모터가 구동되게 해주세요 ㅠㅠㅠㅠㅠ 구동시간은 알아서 해주셔도 됩니다 작동만....ㅠㅠㅠ


<<ph센서 코드>>

 

#include <EEPROM.h>
#define EEPROM_write(address, p) {int i = 0; byte *pp = (byte*)&(p);for(; i < sizeof(p); i++) EEPROM.write(address+i, pp[i]);}
#define EEPROM_read(address, p)  {int i = 0; byte *pp = (byte*)&(p);for(; i < sizeof(p); i++) pp[i]=EEPROM.read(address+i);}

#define ReceivedBufferLength 20
char receivedBuffer[ReceivedBufferLength+1];   // store the serial command
byte receivedBufferIndex = 0;

#define SCOUNT  30           // sum of sample point
int analogBuffer[SCOUNT];    //store the sample voltage
int analogBufferIndex = 0;

#define SlopeValueAddress 0     // (slope of the ph probe)store at the beginning of the EEPROM. The slope is a float number,occupies 4 bytes.
#define InterceptValueAddress (SlopeValueAddress+4)
float slopeValue, interceptValue, averageVoltage;
boolean enterCalibrationFlag = 0;

#define SensorPin A0
#define VREF 5000  //for arduino uno, the ADC reference is the power(AVCC), that is 5000mV

void setup()
{
  Serial.begin(115200);
  readCharacteristicValues(); //read the slope and intercept of the ph probe
}

void loop()
{
  if(serialDataAvailable() > 0)
  {
      byte modeIndex = uartParse();
      phCalibration(modeIndex);    // If the correct calibration command is received, the calibration function should be called.
      EEPROM_read(SlopeValueAddress, slopeValue);     // After calibration, the new slope and intercept should be read ,to update current value.
      EEPROM_read(InterceptValueAddress, interceptValue);
  }
 
   static unsigned long sampleTimepoint = millis();
   if(millis()-sampleTimepoint>40U)
   {
     sampleTimepoint = millis();
     analogBuffer[analogBufferIndex] = analogRead(SensorPin)/1024.0*VREF;    //read the voltage and store into the buffer,every 40ms
     analogBufferIndex++;
     if(analogBufferIndex == SCOUNT)
         analogBufferIndex = 0;
     averageVoltage = getMedianNum(analogBuffer,SCOUNT);   // read the stable value by the median filtering algorithm
   }
  
   static unsigned long printTimepoint = millis();
   if(millis()-printTimepoint>1000U)
   {
     printTimepoint = millis();
     if(enterCalibrationFlag)             // in calibration mode, print the voltage to user, to watch the stability of voltage
     {
       Serial.print("Voltage:");
       Serial.print(averageVoltage);
       Serial.println("mV");
     }else{
     Serial.print("pH:");              // in normal mode, print the ph value to user
     Serial.println(averageVoltage/1000.0*slopeValue+interceptValue);
     }
   }  
}

boolean serialDataAvailable(void)
{
  char receivedChar;
  static unsigned long receivedTimeOut = millis();
  while (Serial.available()>0)
  {  
    if (millis() - receivedTimeOut > 1000U)
    {
      receivedBufferIndex = 0;
      memset(receivedBuffer,0,(ReceivedBufferLength+1));
    }
    receivedTimeOut = millis();
    receivedChar = Serial.read();
    if (receivedChar == '\n' || receivedBufferIndex==ReceivedBufferLength){
  receivedBufferIndex = 0;
  strupr(receivedBuffer);
  return true;
    }
    else{
      receivedBuffer[receivedBufferIndex] = receivedChar;
      receivedBufferIndex++;
    }
  }
  return false;
}

byte uartParse()
{
  byte modeIndex = 0;
  if(strstr(receivedBuffer, "CALIBRATION") != NULL)
      modeIndex = 1;
  else if(strstr(receivedBuffer, "EXIT") != NULL)
      modeIndex = 4;
  else if(strstr(receivedBuffer, "ACID:") != NULL)  
      modeIndex = 2; 
  else if(strstr(receivedBuffer, "ALKALI:") != NULL)
      modeIndex = 3;
  return modeIndex;
}

void phCalibration(byte mode)
{
    char *receivedBufferPtr;
    static byte acidCalibrationFinish = 0, alkaliCalibrationFinish = 0;
    static float acidValue,alkaliValue;
    static float acidVoltage,alkaliVoltage;
    float acidValueTemp,alkaliValueTemp,newSlopeValue,newInterceptValue;
    switch(mode)
    {
      case 0:
      if(enterCalibrationFlag)
         Serial.println(F("Command Error"));
      break;
     
      case 1:
      receivedBufferPtr=strstr(receivedBuffer, "CALIBRATION");
      enterCalibrationFlag = 1;
      acidCalibrationFinish = 0;
      alkaliCalibrationFinish = 0;
      Serial.println(F("Enter Calibration Mode"));
      break;
    
      case 2:
      if(enterCalibrationFlag)
      {
          receivedBufferPtr=strstr(receivedBuffer, "ACID:");
          receivedBufferPtr+=strlen("ACID:");
          acidValueTemp = strtod(receivedBufferPtr,NULL);
          if((acidValueTemp>3)&&(acidValueTemp<5))        //typical ph value of acid standand buffer solution should be 4.00
          {
             acidValue = acidValueTemp;
             acidVoltage = averageVoltage/1000.0;        // mV -> V
             acidCalibrationFinish = 1;
             Serial.println(F("Acid Calibration Successful"));
           }else {
             acidCalibrationFinish = 0;
             Serial.println(F("Acid Value Error"));
           }
      }
      break;
 
       case 3:
       if(enterCalibrationFlag)
       {
           receivedBufferPtr=strstr(receivedBuffer, "ALKALI:");
           receivedBufferPtr+=strlen("ALKALI:");
           alkaliValueTemp = strtod(receivedBufferPtr,NULL);
           if((alkaliValueTemp>8)&&(alkaliValueTemp<11))        //typical ph value of alkali standand buffer solution should be 9.18 or 10.01
           {
                 alkaliValue = alkaliValueTemp;
                 alkaliVoltage = averageVoltage/1000.0;
                 alkaliCalibrationFinish = 1;
                 Serial.println(F("Alkali Calibration Successful"));
            }else{
               alkaliCalibrationFinish = 0;
               Serial.println(F("Alkali Value Error"));
            }
       }
       break;

        case 4:
        if(enterCalibrationFlag)
        {
            if(acidCalibrationFinish && alkaliCalibrationFinish)
            {
              newSlopeValue = (acidValue-alkaliValue)/(acidVoltage - alkaliVoltage);
              EEPROM_write(SlopeValueAddress, newSlopeValue);
              newInterceptValue = acidValue - (slopeValue*acidVoltage);
              EEPROM_write(InterceptValueAddress, newInterceptValue);
              Serial.print(F("Calibration Successful"));
            }
            else Serial.print(F("Calibration Failed"));      
            Serial.println(F(",Exit Calibration Mode"));
            acidCalibrationFinish = 0;
            alkaliCalibrationFinish = 0;
            enterCalibrationFlag = 0;
        }
        break;
    }
}

int getMedianNum(int bArray[], int iFilterLen)
{
      int bTab[iFilterLen];
      for (byte i = 0; i<iFilterLen; i++)
      {
   bTab[i] = bArray[i];
      }
      int i, j, bTemp;
      for (j = 0; j < iFilterLen - 1; j++)
      {
   for (i = 0; i < iFilterLen - j - 1; i++)
          {
     if (bTab[i] > bTab[i + 1])
            {
  bTemp = bTab[i];
         bTab[i] = bTab[i + 1];
  bTab[i + 1] = bTemp;
      }
   }
      }
      if ((iFilterLen & 1) > 0)
 bTemp = bTab[(iFilterLen - 1) / 2];
      else
 bTemp = (bTab[iFilterLen / 2] + bTab[iFilterLen / 2 - 1]) / 2;
      return bTemp;
}

void readCharacteristicValues()
{
    EEPROM_read(SlopeValueAddress, slopeValue);
    EEPROM_read(InterceptValueAddress, interceptValue);
    if(EEPROM.read(SlopeValueAddress)==0xFF && EEPROM.read(SlopeValueAddress+1)==0xFF && EEPROM.read(SlopeValueAddress+2)==0xFF && EEPROM.read(SlopeValueAddress+3)==0xFF)
    {
      slopeValue = 3.5;   // If the EEPROM is new, the recommendatory slope is 3.5.
      EEPROM_write(SlopeValueAddress, slopeValue);
    }
    if(EEPROM.read(InterceptValueAddress)==0xFF && EEPROM.read(InterceptValueAddress+1)==0xFF && EEPROM.read(InterceptValueAddress+2)==0xFF && EEPROM.read(InterceptValueAddress+3)==0xFF)
    {
      interceptValue = 0;  // If the EEPROM is new, the recommendatory intercept is 0.
      EEPROM_write(InterceptValueAddress, interceptValue);
    }
}

<<ec센서 코드>>


#include <OneWire.h>

#define StartConvert 0
#define ReadTemperature 1

const byte numReadings = 20;     //the number of sample times
byte ECsensorPin = A1;  //EC Meter analog output,pin on analog 1
byte DS18B20_Pin = 2; //DS18B20 signal, pin on digital 2
unsigned int AnalogSampleInterval=25,printInterval=700,tempSampleInterval=850;  //analog sample interval;serial print interval;temperature sample interval
unsigned int readings[numReadings];      // the readings from the analog input
byte index = 0;                  // the index of the current reading
unsigned long AnalogValueTotal = 0;                  // the running total
unsigned int AnalogAverage = 0,averageVoltage=0;                // the average
unsigned long AnalogSampleTime,printTime,tempSampleTime;
float temperature,ECcurrent;
 
//Temperature chip i/o
OneWire ds(DS18B20_Pin);  // on digital pin 2

void setup() {
 // initialize serial communication with computer:
  Serial.begin(115200);
  // initialize all the readings to 0:
  for (byte thisReading = 0; thisReading < numReadings; thisReading++)
    readings[thisReading] = 0;
  TempProcess(StartConvert);   //let the DS18B20 start the convert
  AnalogSampleTime=millis();
  printTime=millis();
  tempSampleTime=millis();
}

void loop() {
  /*
   Every once in a while,sample the analog value and calculate the average.
  */
  if(millis()-AnalogSampleTime>=AnalogSampleInterval) 
  {
    AnalogSampleTime=millis();
     // subtract the last reading:
    AnalogValueTotal = AnalogValueTotal - readings[index];
    // read from the sensor:
    readings[index] = analogRead(ECsensorPin);
    // add the reading to the total:
    AnalogValueTotal = AnalogValueTotal + readings[index];
    // advance to the next position in the array:
    index = index + 1;
    // if we're at the end of the array...
    if (index >= numReadings)
    // ...wrap around to the beginning:
    index = 0;
    // calculate the average:
    AnalogAverage = AnalogValueTotal / numReadings;
  }
  /*
   Every once in a while,MCU read the temperature from the DS18B20 and then let the DS18B20 start the convert.
   Attention:The interval between start the convert and read the temperature should be greater than 750 millisecond,or the temperature is not accurate!
  */
   if(millis()-tempSampleTime>=tempSampleInterval)
  {
    tempSampleTime=millis();
    temperature = TempProcess(ReadTemperature);  // read the current temperature from the  DS18B20
    TempProcess(StartConvert);                   //after the reading,start the convert for next reading
  }
   /*
   Every once in a while,print the information on the serial monitor.
  */
  if(millis()-printTime>=printInterval)
  {
    printTime=millis();
    averageVoltage=AnalogAverage*(float)5000/1024;
    Serial.print("Analog value:");
    Serial.print(AnalogAverage);   //analog average,from 0 to 1023
    Serial.print("    Voltage:");
    Serial.print(averageVoltage);  //millivolt average,from 0mv to 4995mV
    Serial.print("mV    ");
    Serial.print("temp:");
    Serial.print(temperature);    //current temperature
    Serial.print("^C     EC:");
   
    float TempCoefficient=1.0+0.0185*(temperature-25.0);    //temperature compensation formula: fFinalResult(25^C) = fFinalResult(current)/(1.0+0.0185*(fTP-25.0));
    float CoefficientVolatge=(float)averageVoltage/TempCoefficient;  
    if(CoefficientVolatge<150)Serial.println("No solution!");   //25^C 1413us/cm<-->about 216mv  if the voltage(compensate)<150,that is <1ms/cm,out of the range
    else if(CoefficientVolatge>3300)Serial.println("Out of the range!");  //>20ms/cm,out of the range
    else
    {
      if(CoefficientVolatge<=448)ECcurrent=6.84*CoefficientVolatge-64.32;   //1ms/cm<EC<=3ms/cm
      else if(CoefficientVolatge<=1457)ECcurrent=6.98*CoefficientVolatge-127;  //3ms/cm<EC<=10ms/cm
      else ECcurrent=5.3*CoefficientVolatge+2278;                           //10ms/cm<EC<20ms/cm
      ECcurrent/=1000;    //convert us/cm to ms/cm
      Serial.print(ECcurrent,2);  //two decimal
      Serial.println("ms/cm");
    }
  }

}
/*
ch=0,let the DS18B20 start the convert;ch=1,MCU read the current temperature from the DS18B20.
*/
float TempProcess(bool ch)
{
  //returns the temperature from one DS18B20 in DEG Celsius
  static byte data[12];
  static byte addr[8];
  static float TemperatureSum;
  if(!ch){
          if ( !ds.search(addr)) {
              Serial.println("no more sensors on chain, reset search!");
              ds.reset_search();
              return 0;
          }     
          if ( OneWire::crc8( addr, 7) != addr[7]) {
              Serial.println("CRC is not valid!");
              return 0;
          }       
          if ( addr[0] != 0x10 && addr[0] != 0x28) {
              Serial.print("Device is not recognized!");
              return 0;
          }     
          ds.reset();
          ds.select(addr);
          ds.write(0x44,1); // start conversion, with parasite power on at the end
  }
  else{ 
          byte present = ds.reset();
          ds.select(addr);   
          ds.write(0xBE); // Read Scratchpad           
          for (int i = 0; i < 9; i++) { // we need 9 bytes
            data[i] = ds.read();
          }        
          ds.reset_search();          
          byte MSB = data[1];
          byte LSB = data[0];       
          float tempRead = ((MSB << 8) | LSB); //using two's compliment
          TemperatureSum = tempRead / 16;
    }
          return TemperatureSum; 
}


<<릴레이 센서 코드>>


int Relay = 3;

void setup() {
  pinMode(13, OUTPUT);         //Set Pin13 as output
  digitalWrite(13, HIGH);     //Set Pin13 High
  pinMode(Relay, OUTPUT); 
}

void loop() {
  digitalWrite(Relay, HIGH);   //Turn off relay
          delay(2000);
          digitalWrite(Relay, LOW);    //Turn on relay
          delay(2000);
}

메카리워즈 Image Map

브랜든 2016-12-21 (수) 15:23 7년전
ph센서 코드만 해도 어디가 처음이고 어디가 끝인지 정말 긴것 같습니다;;
우선은 각 센서들이 무리없이 작동이 되는지 확인부터 하셔야 됩니다.

그 다음에 소스코드를 합쳐야 됩니다. 우선 <ph센서 코드> 중간부분에 Serial.println에 있는 값이 ph값인 것 같으며,
<ec센서 코드>중간부분에 Serial.print(ECcurrent,2);의 ECcurrent부분이 ec값인 것 같습니다(직접 업로드하셔서 맞는지 확인 필요합니다.)

그 값을 추출해서 합친코드에 if문을 입력해서 예시로
if(ph <= 7 && ec <= 1)
  digitalWrite(Realy,HIGH);
else
  digitalWrite(Relay,LOW);
로 코드를 짜면 될 것 같습니다.
주소
지민마마s 2020-07-27 (월) 15:48 3년전
<a href="https://searchdave.com/sandz/">샌즈카지노</a>
<a href="https://searchdave.com/">우리카지노</a>
<a href="https://searchdave.com/theking/">더킹카지노</a>
<a href="https://searchdave.com/first/">퍼스트카지노</a>
<a href="https://searchdave.com/coin/">코인카지노</a>
<a href="https://searchdave.com/thenine/">더존카지노</a>
<a href="https://searchdave.com/solire/">솔레어카지노</a>
<a href="https://searchdave.com/parao/">파라오카지노</a>
주소
절레절레개노답 2020-12-30 (수) 14:01 3년전
https://www.oneplay99.com 카지노사이트
https://www.oneplay99.com/sandscasino 샌즈카지노
https://www.oneplay99.com/thekingcasino 메리트카지노
https://www.oneplay99.com/firstcasino 퍼스트카지노
https://www.oneplay99.com/thezonecasino 더존카지노
https://www.oneplay99.com/yescasino 예스카지노
https://www.oneplay99.com/supercasino 슈퍼카지노
https://www.oneplay99.com/worldcasino 월드카지노
https://www.oneplay99.com/gatsbycasino 개츠비카지노
https://www.oneplay99.com/33casino 33카지노

https://www.wooricasino.site/ 카지노사이트
https://www.wooricasino.site/meritcasino 메리트카지노
https://www.wooricasino.site/sandscasino 샌즈카지노
https://www.wooricasino.site/firstcasino 퍼스트카지노
https://www.wooricasino.site/yescasino 예스카지노
https://www.wooricasino.site/coincasino 코인카지노
https://www.wooricasino.site/007casino 007카지노
https://www.wooricasino.site/thezonecasino 더존카지노




https://www.alivecasino007.com 카지노사이트
https://www.alivecasino007.com/sands 샌즈카지노
https://www.alivecasino007.com/merit 메리트카지노
https://www.alivecasino007.com/first 퍼스트카지노
https://www.alivecasino007.com/coin 코인카지노
https://www.alivecasino007.com/007 007카지노
https://www.alivecasino007.com/thezone 더존카지노
https://www.alivecasino007.com/yes 예스카지노



https://www.gpgp.live/ 카지노사이트
https://www.gpgp.live/sands 샌즈카지노
https://www.gpgp.live/merit 메리트카지노
https://www.gpgp.live/theking 더킹카지노
https://www.gpgp.live/first 퍼스트카지노
https://www.gpgp.live/yes 예스카지노
https://www.gpgp.live/super 슈퍼카지노
https://www.gpgp.live/world 월드카지노
https://www.gpgp.live/coupon 카지노쿠폰


https://ase2020.com/ 카지노사이트
https://ase2020.com/woori/ 우리카지노
https://ase2020.com/baccarat/ 바카라사이트
https://ase2020.com/first/ 퍼스트카지노
https://ase2020.com/theking/ 더킹카지노
https://ase2020.com/sands/ 샌즈카지노


https://www.worigame007.com/ 우리계열카지노
https://www.worigame007.com/merit 메리트카지노
https://www.worigame007.com/sands 샌즈카지노
https://www.worigame007.com/first 퍼스트카지노
https://www.worigame007.com/theking 더킹카지노
https://www.worigame007.com/thezone 더존카지노
https://www.worigame007.com/yes 예스카지노
https://www.worigame007.com/super 슈퍼카지노



https://www.wooricasino119.com/ 우리카지노
https://www.wooricasino119.com/merit 메리트카지노
https://www.wooricasino119.com/sands 샌즈카지노
https://www.wooricasino119.com/first 퍼스트카지노
https://www.wooricasino119.com/thezone 더존카지노
https://www.wooricasino119.com/theking 더킹카지노
https://www.wooricasino119.com/yes 예스카지노
https://www.wooricasino119.com/super 슈퍼카지노


https://www.howgame88.com/ 카지노사이트
https://www.howgame88.com/merit 메리트카지노
https://www.howgame88.com/sands 샌즈카지노
https://www.howgame88.com/first 퍼스트카지노
https://www.howgame88.com/theking 더킹카지노
https://www.howgame88.com/yes 예스카지노


https://www.nakk2000.com/ 온라인카지노사이트
https://www.nakk2000.com/baccarat/ 바카라사이트
https://www.nakk2000.com/thezonecasino/ 더존카지노
https://www.nakk2000.com/meritcasino/ 메리트카지노
https://www.nakk2000.com/firstcasino/ 퍼스트카지노
https://www.nakk2000.com/sandscasino/ 샌즈카지노
주소
절레절레개노답 2021-03-12 (금) 11:41 3년전
<a href="https://save78.com/">우리카지노</a>
<a href="https://save78.com/">카지노사이트</a>
<a href="https://save78.com/">바카라사이트</a>
<a href="https://save78.com/메리트카지노">메리트카지노</a>
<a href="https://save78.com/샌즈카지노">샌즈카지노</a>
<a href="https://save78.com/퍼스트카지노">퍼스트카지노</a>
<a href="https://save78.com/007카지노">007카지노</a>
<a href="https://save78.com/더존카지노">더존카지노</a>
<a href="https://save78.com/더온카지노">더온카지노</a>
<a href="https://save78.com/코인카지노">코인카지노</a>
주소

모바일 버전으로 보기