Creating Daily and Minutely MA - Practical Assignment

Lesson 88 out of 89: indicators.js module.exports
So, I’m stuck! I have been following the code pretty well and adjusting to some changes along the way, however I’m stumped on this and can use some help.

I followed everything that Ivan was doing and it all worked great. Created indicators.js and set up module.exports as explained. Went into index.js and when I use require(’./indicators’), I get the following error:

internal/process/esm_loader.js:74
    internalBinding('errors').triggerUncaughtException(
^Error [ERR_REQUIRE_ESM]: Must use import to load ES Module:...

So then I switch to import however I can’t use import indicators as I get an error of no default file. I can’t use {indicators} as that does not exist. Tried import {movingAverage} but that gives me an error as well saying that indicators does not provide an export named ‘movingAverage’

So, a bit of help and guidance would be lovely! Thanks in advance

1 Like

SOLVED:

This was a bit painful, but I think I got it (or so I hope). So long story short, fetch for cryptocompare is required but has to be imported not required. Doing it the way Ivan showed wasn’t working (too many errors). So my workaround was:

indicators.js:

import fetch from 'node-fetch'
if (!globalThis.fetch) {
  globalThis.fetch = fetch
}

import { createRequire } from 'module'
const require = createRequire(import.meta.url)

const CC = require('cryptocompare')
CC.setApiKey(process.env.CRYPTO_COMPARE_API_KEY)

const movingAverage = (crypto, fiat, hours, callback) => {
  if (hours > 169) {
    console.error('Only up to 169 hours allowed')
    return
  }
  CC.histoHour(crypto, fiat) //histoDay(BTC,USD,limit('none'))
    .then((data) => {
      // need to reverse the data
      const reversedData = data.reverse()
      var sum = 0
      for (var i = 0; i < hours; i++) {
        sum += reversedData[i].close
      }
      const avg = sum / hours
      callback(avg)
    })
    .catch(console.error)
}

export default {
  movingAverage,
}

index.js:

import { createRequire } from 'module'
const require = createRequire(import.meta.url)

const GeminiAPI = require('gemini-api').default
require('dotenv').config()

import indicators from './indicators.js'

// const indicators = require('./indicators.js')

const secret = process.env.GEMINI_API_SECRET
const key = process.env.GEMINI_API_KEY
const gemini = new GeminiAPI({ key, secret, sandbox: true })

indicators.movingAverage('ETH', 'USD', 50, function (result) {
  console.log('MA: ', result)
})

That worked. Let’s see if it continues working as the course progresses, but hopefully it’s helpful to you if you get stuck as well.

1 Like

Assignment: MA

const CCAPIKey = "9372ee7b2e6bd4fa91f0822336bc293d5d580bffcf11c7c958568627c6xxxxx";
const CryptoCompareAPI = require("cryptocompare");
CryptoCompareAPI.setApiKey(CCAPIKey);


module.exports = {

  minuteMovingAverage:function(cryptoAsset, fiatCurrency, minutes, callback){
    if (minutes>1441) {
      console.error("Only up to 1441 minutes allowed!");
      return
    }
    CryptoCompareAPI.histoMinute(cryptoAsset, fiatCurrency)
    .then(data => {
      data = data.reverse();
      var sum = 0;
      for (var i=0; i<minutes; i++){
        sum += data[i].close;
      }
      var movingAverage = sum / minutes;
      callback(movingAverage);
    })
    .catch(console.error)
  },

  hourlyMovingAverage:function(cryptoAsset, fiatCurrency, hours, callback){
    if (hours>169) {
      console.error("Only up to 169 hours allowed!");
      return
    }
    CryptoCompareAPI.histoHour(cryptoAsset, fiatCurrency)
    .then(data => {
      data = data.reverse();
      var sum = 0;
      for (var i=0; i<hours; i++){
        sum += data[i].close;
      }
      var movingAverage = sum / hours;
      callback(movingAverage);
    })
    .catch(console.error)
  },

  dailyMovingAverage:function(cryptoAsset, fiatCurrency, days, callback){
    if (days>169) {
      console.error("Only up to 169 days allowed!");
      return
    }
    CryptoCompareAPI.histoHour(cryptoAsset, fiatCurrency)
    .then(data => {
      data = data.reverse();
      var sum = 0;
      for (var i=0; i<days; i++){
        sum += data[i].close;
      }
      var movingAverage = sum / days;
      callback(movingAverage);
    })
    .catch(console.error)
  }

}

index.js

global.fetch = require("node-fetch");
const GeminiAPI = require("gemini-api").default;
const secret = "3iLGT133vQnkFePqaGoYHU7xxxxx";
const key = "account-XCa2X8uBDIBwfxxxxxxxxx";

const restClient = new GeminiAPI({key,secret, sandbox:true});
const indicators = require("./indicators.js");




// 1. get data from CC
//2. calculate MA from 100 hours
//3. check countinously if price is crossing 100 MA  => BUY/SELL/HOLD


// 100 minutes Moving Average
indicators.minutelyMovingAverage("BTC", "USD", 100, function(result){
  console.log("minutely MA: ", result);
});

// 100 hour Moving Average
indicators.hourlyMovingAverage("BTC", "USD", 100, function(result){
  console.log("hourly MA: ", result);
});

// 100 day Moving Average
indicators.dailyMovingAverage("BTC", "USD", 100, function(result){
  console.log("daily MA: ", result);
});
1 Like

This was fun.
Bit of a curveball with the errors about time length differences.

Turns out the minutely result is 1,441 periods, Hourly is 169 periods, and daily is 31 periods.

My code for indicators.js:

const CCAPIKey = "760eeb8576c3f83c42edf051225d183c4e9b15803a8fca3bd9302a0b7bbbc8ac";
const CryptoCompareAPI = require("cryptocompare");
CryptoCompareAPI.setApiKey(CCAPIKey);

module.exports = {


    dailyMovingAverage: function (cryptoAsset, fiatCurrency, days, callback) {

        if(days > 31) {
            return console.error("You can only find an MA of UP TO 31 Days")
        }
    
        // 1. Get Data from CC => USE histoDay() or histoHour() etc.

        CryptoCompareAPI.histoDay(cryptoAsset, fiatCurrency) // HistoHour by default gives us data for 169 hours.
        .then(data => {
        data = data.reverse()
        // 2. Calculate MA from Data
        var sum = 0;
        for (let i = 0; i < days; i++) {
            sum += data[i].close;
        }
        var movingAvg = sum / days;
        callback(movingAvg)
        })
        .catch(console.error)
    },
    hourlyMovingAverage: function (cryptoAsset, fiatCurrency, hours, callback) {

        if(hours > 169) {
            return console.error("You can only find an MA of UP TO 169 Hours")
        }
    
        // 1. Get Data from CC => USE histoDay() or histoHour() etc.

        CryptoCompareAPI.histoHour(cryptoAsset, fiatCurrency) // HistoHour by default gives us data for 169 hours.
        .then(data => {
        data = data.reverse()
        // 2. Calculate MA from Data
        var sum = 0;
        for (let i = 0; i < hours; i++) {
            sum += data[i].close;
        }
        var movingAvg = sum / hours;
        callback(movingAvg)
        })
        .catch(console.error)
    },
    minutelyMovingAverage: function (cryptoAsset, fiatCurrency, minutes, callback) {

        if(minutes > 1441) {
            return console.error("You can only find an MA of UP TO 1,441 minutes")
        }
    
        // 1. Get Data from CC => USE histoDay() or histoHour() etc.

        CryptoCompareAPI.histoMinute(cryptoAsset, fiatCurrency) // HistoHour by default gives us data for 169 hours.
        .then(data => {
        data = data.reverse()
        // 2. Calculate MA from Data
        var sum = 0;
        for (let i = 0; i < minutes; i++) {
            sum += data[i].close;
        }
        var movingAvg = sum / minutes;
        callback(movingAvg)
        })
        .catch(console.error)
    }
}

index.js

global.fetch = require('node-fetch');
const GeminiAPI = require('gemini-api').default;
const key = "account-KcekzTrd6JEdeNTkKVCV";
const secret = "3Ks3cfNdNn43yMEYZtKnNqHeaoDP";
const restClient = new GeminiAPI({key, secret, sandbox: true});

const indicators = require('./indicators.js');

indicators.dailyMovingAverage('BTC', 'USD', 31, ((result) => {
    console.log("The Daily Moving Average is: " + result)
}))

indicators.hourlyMovingAverage('BTC', 'USD', 100, ((result) => {
    console.log("The Hourly Moving Average is: " + result)
}))

indicators.minutelyMovingAverage('BTC', 'USD', 1441, ((result) => {
    console.log("The Minutely Moving Average is: " + result)
}))
1 Like

indicator.js:

module.exports = {

  hourlyMovingAverage:function(cryptoAsset, fiatCurrency, hours,callback){

    if(hours > 169){
      console.error();("Only upto 169 hours allowed!");
      return
    }

    cryptoCompareAPI.histoHour(cryptoAsset, fiatCurrency)
    .then(data => {
      data = data.reverse();
      var sum = 0;
      for(var i=0; i<hours; i++){
        sum += data[i].close;
      }

      var movingAverage = sum/hours;
      callback(movingAverage);

    })
    .catch(console.error);
  }
,
  dailyMovingAverage:function(cryptoAsset, fiatCurrency, days,callback){

    if(days > 30){
      console.error();("Only upto 30 days allowed!");
      return
    }

    cryptoCompareAPI.histoDay(cryptoAsset, fiatCurrency)
    .then(data => {
      data = data.reverse();
      var sum = 0;
      for(var i=0; i<days; i++){
        sum += data[i].close;
      }

      var movingAverage = sum/days;
      callback(movingAverage);

    })
    .catch(console.error);
  }
,
  minutelyMovingAverage:function(cryptoAsset, fiatCurrency, minutes,callback){

    if(minutes > 1000){
      console.error();("Only upto 1000 minutes allowed!");
      return
    }

    cryptoCompareAPI.histoMinute(cryptoAsset, fiatCurrency)
    .then(data => {
      data = data.reverse();
      var sum = 0;
      for(var i=0; i<minutes; i++){
        sum += data[i].close;
      }

      var movingAverage = sum/minutes;
      callback(movingAverage);

    })
    .catch(console.error);
  }
}

index.js:

indicators.hourlyMovingAverage("BTC", "USD", 100,function(result){
  console.log("Hourly MA: ", result)
});

indicators.dailyMovingAverage("BTC", "USD", 30,function(result){
  console.log("Daily MA: ", result)
});

indicators.minutelyMovingAverage("BTC", "USD", 1000,function(result){
  console.log("Minutely MA: ", result)
});

image

The API doesn’t allow me to use more than 30 Days.

1 Like

// Hello my codeBrother @skawal22

iss been 29D since u posted this, so not sure if u still needa solution, but this linked-post has the answer to the 30day limit prob. Iss also listed in the docs under “histoDay()”. look for the “limit” bulletPoint.


@LORDKALVIN

1 Like

index.js

global.fetch = require("node-fetch");
const GeminiAPI = require("gemini-api").default;
const secret = "2mAE3MLwhQL3rPDuN1B3NRreTd8p";
const key = "account-uDoVHJBF1s7Rz4cpHIqj";
const restClient = new GeminiAPI({key, secret, sandbox:true});
const indicators = require("./indicators.js");

indicators.minutelyMovingAverage("BTC", "USD", 1000, function(result){
  console.log("Minutely MA: ", result)
})

indicators.hourlyMovingAverage("BTC", "USD", 100, function(result){
  console.log("Hourly MA: ", result)
})

indicators.dailyMovingAverage("BTC", "USD", 50, function(result){
  console.log("Daily MA: ", result)
})

indicators.js

const CCAPIKey = "685858162e67a6db9f8f59ea8d7b13ab5de372bfd9d69bf7440cf541d23b504e";
const CryptoCompareAPI = require("cryptocompare");
CryptoCompareAPI.setApiKey(CCAPIKey);

module.exports = {

// MINUTE MOVING AVERAGE
  minutelyMovingAverage:function (cryptoAsset, fiatCurrency, minutes, callback){
    CryptoCompareAPI.histoMinute(cryptoAsset, fiatCurrency)
    .then(data => {
      data = data.reverse()
      var sum = 0;
      for(var i = 0; i<minutes; i++){
        sum+=data[i].close;
      }
      var movingAverage = sum/minutes;
      callback(movingAverage);
    })
    .catch(console.error)
  }
,

// HOUR MOVING AVERAGE
  hourlyMovingAverage:function (cryptoAsset, fiatCurrency, hours, callback){

    if(hours>169){
      console.error("Only up to 169 hours allowed!")
      return
    }
    CryptoCompareAPI.histoHour(cryptoAsset, fiatCurrency)
    .then(data => {
      data = data.reverse()
      var sum = 0;
      for(var i = 0; i<hours; i++){
        sum+=data[i].close;
      }
      var movingAverage = sum/hours;
      callback(movingAverage);
    })
    .catch(console.error)
  }
,

// DAY MOVING AVERAGE
  dailyMovingAverage:function (cryptoAsset, fiatCurrency, days, callback){
    CryptoCompareAPI.histoDay(cryptoAsset, fiatCurrency, {limit:"none"})
    .then(data => {
      data = data.reverse()
      var sum = 0;
      for(var i = 0; i<days; i++){
        sum+=data[i].close;
      }
      var movingAverage = sum/days;
      callback(movingAverage);
    })
    .catch(console.error)
  }
}
1 Like

For those having problems with global.fetch = require(“node-fetch”) is because they released a new update, so you’ll have to remove the previous version:
In Terminal (Mac) or Power Shell (Microsoft) --> yarn remove node-fetch
And then add the updated version --> yarn add node-fetch@2
This will help with all the errors corresponding to ES Module.

Hi everyone,
Sharing my solution doing something analogous to what Ivan did for the hourly. I do console log of data.length first to know the number of days/minutes allowed. It seems we can have up to 31 days/1441 minutes. Then I adapt the code to these limits:

const cryptocompareAPI= require("cryptocompare");
const CCAPIkey = "4c93798235c85dd910e17a91f28fea81821cd4781ba90560399b7deeb6f6e17c";
cryptocompareAPI.setApiKey(CCAPIkey);


module.exports={

  hourlymovingAverage:function (cryptoAsset,fiatCCY,hours,callback)
  {

    if (hours>169) {
      console.error("Only up to 169 hours allowed!")
      return
    }


    cryptocompareAPI.histoHour(cryptoAsset, fiatCCY)
    .then(data => {
      data=data.reverse()
      console.log(data.length)
      var sum=0
      for (var i=0;i<hours;i++){
        //console.log(i)
        //console.log(data[i].close)
        sum+= data[i].close;
      }

      var movingAverage=sum/hours;
      callback(movingAverage);
      //console.log(data[0])
        //console.log(data.length)

    })
    .catch(console.error)

  }
,

  dailymovingAverage:function (cryptoAsset,fiatCCY,days,callback)
  {
    if (days>31) {
      console.error("Only up to 31 days allowed!")
      return
    }



    cryptocompareAPI.histoDay(cryptoAsset, fiatCCY)
    .then(data => {
      data=data.reverse()
      //console.log(data[0])
      console.log(data.length)
      var sum=0
      for (var i=0;i<days;i++){
        //console.log(i)
        //console.log(data[i].close)
        sum+= data[i].close;
      }

      var movingAverage=sum/days;
      callback(movingAverage);
      //console.log(data[0])
        //console.log(data.length)

    })
  .catch(console.error)

  }

  ,

    minutelymovingAverage:function (cryptoAsset,fiatCCY,minutes,callback)
    {

      if (minutes>1441) {
        console.error("Only up to 1441 minutes allowed!")
        return
      }

      cryptocompareAPI.histoMinute(cryptoAsset, fiatCCY)
      .then(data => {
        data=data.reverse()
        //console.log(data[0])
        console.log(data.length)
        var sum=0
        for (var i=0;i<minutes;i++){
          //console.log(i)
          //console.log(data[i].close)
          sum+= data[i].close;
        }

        var movingAverage=sum/minutes;
        callback(movingAverage);
        //console.log(data[0])
          //console.log(data.length)

      })
    .catch(console.error)

    }


}

1 Like

index.js

global.fetch = require("node-fetch");
const GeminiAPI = require("gemini-api").default;
const secret = "**********";
const key = "account-***********";
const restClient = new GeminiAPI({key, secret, sandbox:true});
const indicators = require("./indicators.js");

indicators.hourlyMovingAverage("BTC","USD", 100, function(result){
  console.log(" Hourly MA: ", result)
})

indicators.dailyMovingAverage("BTC", "USD", 31, function(result){
  console.log( "Daily MA: ", result)
})

indicators.minuteMovingAverage("BTC", "USD", 1441, function(result){
  console.log( "Minute MA: ", result)
})

indicators.js

const CCAPIKey = "***********************"
const CryptoCompareAPI = require("cryptocompare");
CryptoCompareAPI.setApiKey(CCAPIKey);

module.exports = {

  hourlyMovingAverage:function(cryptoAsset, fiatCurrency, hours, callback){

    if(hours>169){
      console.error("Only up tp 169 hours allowed!")
      return
    }

    CryptoCompareAPI.histoHour(cryptoAsset, fiatCurrency)
    .then(data => {

     data = data.reverse()
      var sum = 0;
      for(var i = 0;i<hours;i++){
        sum+=data[i].close;
      }

    var movingAverage = sum/hours;
    callback(movingAverage);

    })
    .catch(console.error)

  },

  dailyMovingAverage:function(cryptoAsset, fiatCurrency, days , callback){

    if(days>31){
      console.error("Only up tp 31 days allowed!")
      return
    }
// Get data from CC
    CryptoCompareAPI.histoDay(cryptoAsset, fiatCurrency)
    .then(data => {
     data = data.reverse()
     // Calculate MA
      var sum = 0;
      for(var i = 0;i<days;i++){
        sum+=data[i].close;
      }

    var movingAverage = sum/days;
    callback(movingAverage);
  })
    .catch(console.error)
},
minuteMovingAverage:function(cryptoAsset, fiatCurrency, minutes , callback){

  if(minutes>1441){
    console.error("Only up to 1441 minutes allowed!")
    return
  }
// Get data from CC
  CryptoCompareAPI.histoMinute(cryptoAsset, fiatCurrency)
  .then(data => {
   data = data.reverse()
   // Calculate MA
    var sum = 0;
    for(var i = 0;i<minutes;i++){
      sum+=data[i].close;
    }

  var movingAverage = sum/minutes;
  callback(movingAverage);
})
  .catch(console.error)
}
}

2 Likes

code done;
for the indicator file i needed to add the new function separated by a comma:

chec the git for cryptocompare and maxminute is 1440 and max days allowed is 30
here is the code for daily:

},

  DailymovingAverage:function(cryptoAsset,fiatCurrency,days,callback){
    if(days>30){
        console.error("Only up to 30 days allowed!")
        return
    }
    CryptoCompareAPI.histoDay(cryptoAsset, fiatCurrency)
    .then(data => {
        data = data.reverse()
    var sum = 0;  
    for(var i =0; i <days; i++){
          sum+=data[i].close;
    }    
     var DailymovingAverage = sum/days;
    callback(DailymovingAverage);
    
    })
    .catch(console.error)
    }

then I just copy/paste for the indicator function request:

indicators.MinutemovingAverage("ETH","USD",1000,function(result){
    console.log("Minute MA: $ ", result, "USD")
})
//homework
indicators.HourlymovingAverage("ETH","USD",100,function(result){
    console.log("Hour MA: $ ", result, "USD")
})
//homework
indicators.DailymovingAverage("ETH","USD",10,function(result){
    console.log("Daily MA: $ ", result, "USD")
})

here are the results the issue is is that the callback returns in random order:

Owners-Air:code owner$ node index.jsv (first run)
Hour MA: $  1167.1018999999992 USD
Daily MA: $  1199.6860000000001 USD
Hour MA: $  421382.6350999999 MXN pesos
Minute MA: $  1279.770459999998 USD
Daily MA: $  427768.733 MXN pesos
Minute MA: $  430623.1451700012 MXN pesos
Owners-Air:code owner$ node index.js (second run)
Daily MA: $  1199.637 USD
Daily MA: $  427768.733 MXN pesos
Hour MA: $  1167.104299999999 USD
Hour MA: $  421382.6350999999 MXN pesos
Minute MA: $  1279.9400299999977 USD
Minute MA: $  430637.84804000123 MXN pesos
1 Like
const CCAPIKey = "***********************************************";
const CryptoCompareAPI = require("cryptocompare");
CryptoCompareAPI.setApiKey(CCAPIKey);

module.exports = {


//Hourly MA
  hourlyMovingAverage:function hourlyMovingAverage(cryptoAsset,fiatCurrency,hours,callback){

   if(hours>169){
    console.error("Only up to 169 hours allowed!");
    return;
   }
//1 get data from CryptoCompare
CryptoCompareAPI.histoHour(cryptoAsset,fiatCurrency)
 .then(data => {

//2 calculate MA
   data = data.reverse();
   var sum = 0;
   for(var i = 0;i<hours;i++){
    sum+=data[i].close;
   }

   var movingAverage = Math.floor(sum/hours);
   callback(movingAverage);
 })
 .catch(console.error);
},



//Daily MA
  dailyMovingAverage:function dailyMovingAverage(cryptoAsset,fiatCurrency,days,callback){

   if(days>500){
    console.error("Only up to 500 days allowed!")
    return;
  }
//1 get data from CryptoCompare
CryptoCompareAPI.histoDay(cryptoAsset,fiatCurrency, {limit:500})
 .then(data => {

//2 calculate MA
   data = data.reverse()
   var sum = 0;
   for(var i = 0;i<days;i++){
    sum+=data[i].close;
   }

   var movingAverage = Math.floor(sum/days);
   callback(movingAverage);
  })
  .catch(console.error)
 },



//Minute MA
  minuteMovingAverage:function minuteMovingAverage(cryptoAsset,fiatCurrency,minutes,callback){

   if(minutes>1440){
    console.error("Only up to 1440 minutes allowed!")
    return;
  }
//1 get data from CryptoCompare
CryptoCompareAPI.histoMinute(cryptoAsset,fiatCurrency, {limit:1440})
 .then(data => {

//2 calculate MA
   data = data.reverse()
   var sum = 0;
   for(var i = 0;i<minutes;i++){
    sum+=data[i].close;
   }

   var movingAverage = Math.floor(sum/minutes);
   callback(movingAverage);
  })
  .catch(console.error)
 }
};