Posts tagged with node.js

Trying to build a Node.js app to gather campaign data from Facebook campaigns and storing them into a local database.

I've been successful in getting all the ads for a specific campaign via the /ads endpoint. Then using the /insights endpoint to collect the metrics and statistics for the specific ad.

Successful code for getting ads and their metrics for a specific campaign:

async function getMetaAdsForCampaign(campaignId, campaignName) {     try {         const adsResponse = await axios.get(`${GRAPH_API}/${campaignId}/ads`, {             params: {                 fields: 'id,name,status,effective_status',                 access_token: process.env.FB_ACCESS_TOKEN,             },         });         let ads = adsResponse.data?.data || [];         ads = ads.slice(0, 5);         if (ads.length === 0) {             console.log(`Inga annonser hittades för kampanj ${campaignId}`);             return [];         }         const batchRequests = ads.map(ad => ({             method: 'GET',             relative_url: `${ad.id}/insights?fields=spend,impressions,clicks,video_continuous_2_sec_watched_actions,outbound_clicks&date_preset=maximum`,         }));         const batchResponse = await axios.post(`${GRAPH_API}`, {             access_token: process.env.FB_ACCESS_TOKEN,             batch: batchRequests,         });         const insightsData = batchResponse.data;         return ads.map((ad, index) => {             const insightsResponse = insightsData[index];             if (insightsResponse.code === 200 && insightsResponse.body) {                 const insights = JSON.parse(insightsResponse.body).data[0] || {};                 const spend = parseFloat(insights.spend || 0);                 const impressions = parseInt(insights.impressions || 0, 10);                 const link_clicks = parseInt(insights.outbound_clicks?.[0]?.value || 0, 10);                 const video_views = parseInt(insights.video_continuous_2_sec_watched_actions?.[0]?.value || 0, 10);                 const cpm = impressions > 0 ? Math.round((spend / impressions) * 1000 * 100) / 100 : 0;                 const link_cpc = link_clicks > 0 ? Math.round((spend / link_clicks) * 100) / 100 : 0;                 const cpv = video_views > 0 ? Math.round((spend / video_views) * 100) / 100 : 0;                 return {                     ad_id: ad.id,                     campaign_id: campaignId,                     campaign_name: campaignName,                     ad_name: ad.name,                     spend,                     impressions,                     cpm,                     link_clicks,                     link_cpc,                     video_views,                     cpv,                 };             } else {                 console.error(`Misslyckades att hämta insikter för annons ${ad.id}:`, insightsResponse.body);                 return {                     ad_id: ad.id,                     campaign_id: campaignId,                     campaign_name: campaignName,                     ad_name: ad.name,                     spend: 0,                     impressions: 0,                     cpm: 0,                     link_clicks: 0,                     link_cpc: 0,                     video_views: 0,                     cpv: 0,                 };             }         });     } catch (error) {         console.error("Ett fel uppstod vid hämtning av annonser:", error.response?.data || error.message);         return [];     } } 

The problem I have is gathering fields from the ad creatives, such as title, body, image_url or link_url.

After reading the existing documentation, I've succeded to gather this via the /adcreatives endpoint. The problem I'm facing here is that the only time I'm successful in this, is when using the endpoint with a campaign id, which results in a lot of creatives, and not for a specific ad.

Code that successfully returns the ad creative data I'm after (but only based on campaign_id, and not for specific ads):

async function getAdCreativeFromCampaign() {     const testCampaignId = 'act_123123123123123';     try {         const adsResponse = await axios.get(`${GRAPH_API}/${testCampaignId}/adcreatives`, {             params: {                 fields: 'id,status,title,description,body,image_url,link_url',                 access_token: process.env.FB_ACCESS_TOKEN,                 limit: '1',             },         });         console.log('Resultat:', JSON.stringify(adsResponse.data, null, 2));     } catch (error) {         if (error.response) {             // Fel från servern             console.error('Serverfel:', error.response.status, error.response.statusText);             console.error('Detaljer:', error.response.data);         } else if (error.request) {             // Ingen respons från servern             console.error('Ingen respons från servern:', error.request);         } else {             // Något gick fel vid anropet             console.error('Fel vid begäran:', error.message);         }     } } 

Questions I'm not finding answers to:

Is it any way to gather these fields from /adcreatives for a specific ad, and not for a whole campaign, that I could use instead?

Tried getting results from /adcreatives endpoint using different URLs for specific ads with no luck and only blank results.

Also been trying to gettings fields such as creative.id from an ad, to then connect it to a creative_id, if using this method of first getting all ads, and then all creatives from an ad account. But this method seems really like a detour, and that it should be a better way?

Thank you in advance if you have any ideas that might help me!

Can not upload video file node.js to facebook graph api version v21,0 and error is video file not supported

I am Creating a ecommerce what will be able to post facebook the video events of the website .

and I am using facebook graph api version v21.0

for generating session id , I use

//FACEBOOK_GRAPH_API=https://graph.facebook.com //FACEBOOK_GRAPH_VERSION=v21.0 async function initInializeVideoUploadSession({file_name,file_length,file_type,access_token}) {     let url =makeUrlWithParams(`${FACEBOOK_GRAPH_API}/${FACEBOOK_GRAPH_VERSION}/${FACEBOOK_APP_ID}/uploads`,{         file_name,         file_length,         file_type,         access_token     });     log({url})     let res=await fetch(url, {         method :'POST'     });     res=await res.json();     if (!res.id) {         console.log(res);         throw 'Can not facebook token'     }     return res.id } 

for generating the file handle

 //FACEBOOK_GRAPH_API=https://graph.facebook.com //FACEBOOK_GRAPH_VERSION=v21.0 async function uploadAVideoFile(options) {     let prom= new Promise( async(resolve, reject) => {         let {             session,             access_token,             videoPath,             filename         }=options         let url =makeUrlWithParams(`${FACEBOOK_GRAPH_API}/${FACEBOOK_GRAPH_VERSION}/${session}`,{})         log({url})         request(url , {             method :'POST',              headers :{                 'Authorization':'OAuth '+access_token,                 'file_offset' :'0',                 'accapt':"video/mp4",                 'cache-control': 'no-cache',                 'content-type' : 'video/mp4',                 'content-disposition': 'attachment; filename=' + filename,                 'content-length':fs.statSync(videoPath).size.toString()             },             body :fs.readFileSync(videoPath,'binary'),             encoding :null         },responseCallBack)         function responseCallBack(error , response, data) {             data=JSON.parse(data);             log(data)             if (data.h) return resolve(data.h)             if (!data.h) {                 throw new Error('File Handler is not define')             }         }     })     let h=await prom.then(h => h)     return h    } 

By facebook api, I can generate session id ,file handle ,

but when I am using this file handle to post a video on facebook page i am getting error ,video format not supported,please see the upload video code

 async function videoFacebookApi(req,res) {     let {title,description,filename}=req.body;       try {         if (typeof title        !==  'string' ) throw 'title is null'         if (typeof description  !==  'string' ) throw 'description is null'         if (typeof filename     !==  'string' ) throw 'filename is null'         let access_token = await settingsAsString('fb_access_token');         let tokenDate    = await settingsAsString('fb_access_token_enroll_date');         if ( !access_token || !tokenDate) {             throw new Error('!FV_PAGE_ACCESS_TOKEN || !tokenDate')         }         updateFacebookApiAccessToken(tokenDate);         let videoPath=resolve(dirname(fileURLToPath(import.meta.url)), '../../../public/video/Beauty.mp4');                          log('// file upload session started')         let session=await initInializeVideoUploadSession({             file_name:filename,             file_length:fs.statSync(videoPath).size,             file_type:"video/mp4",             access_token         });         log('// file uploading started')         let file_handle= await uploadAVideoFile({             session,             access_token,             videoPath,             filename,             });         log('// video post started')         await request.post(makeUrlWithParams('https://graph-video.facebook.com'+'/'+FACEBOOK_GRAPH_VERSION+'/'+FB_PAGE_ID+'/videos',{}),             {             headers :{                 "Content-Type": "multipart/form-data",                 "accept": "*/*"             },             formData :{                 title,                 description,                 access_token,                 fbuploader_video_file_chunk:file_handle             }         }, uploadToFacebook );         async function uploadToFacebook(error, response, body) {             try {                     if (error) {                     console.error(error)                     return res.sendStatus(500)                 }                 if (body) {                     body=await JSON.parse(body)                     if (body.id) {                         console.log({body});                         console.log('//video upload completed');                                                  return res.sendStatus(201)                     }                     if (body.error) {                         console.error({...body.error});                         return res.sendStatus(400)                     }                     console.log({body});                     return res.sendStatus(200)                 }                 return res.sendStatus(200)             } catch (error) {                 console.log({error});                 return res.sendStatus(500)             }           }     } catch (error) {         log({error})         return res.sendStatus(500)     } } 

Please see the error carefully

{   message: "The video file you selected is in a format that we don't support.",   type: 'OAuthException',   code: 352,   error_subcode: 1363024,   is_transient: false,   error_user_title: 'Unsupported Video Format',   error_user_msg: "The video you're trying to upload is in a format that isn't supported. Please try again with a video in a supported format.",    fbtrace_id: 'ASMNMrVVh4jeY06_nDP_y9d' } 

then docomentation I am following for this functionality is facebook graph api docomentation

If I make this call to get campaign data from the Graph API:

const url = `https://graph.facebook.com/v19.0/${account}/insights?time_increment=30&time_range={since:'2024-01-01',until:'2024-01-30'}&level=campaign&fields=campaign_id,campaign_name,frequency,spend,reach,impressions,objective,optimization_goal,clicks,actions&action_breakdowns=action_type&access_token=${token}`;  

I get 219,189 as the total reach. However, if I make the same call, changing only time_increment=7

const url = `https://graph.facebook.com/v19.0/${account}/insights?time_increment=7&time_range={since:'2024-01-01',until:'2024-01-30'}&level=campaign&fields=campaign_id,campaign_name,frequency,spend,reach,impressions,objective,optimization_goal,clicks,actions&action_breakdowns=action_type&access_token=${token}`; 

I get 287,141 as the total reach. If, finally, I change time_increment=1

const url = `https://graph.facebook.com/v19.0/${account}/insights?time_increment=1&time_range={since:'2024-01-01',until:'2024-01-30'}&level=campaign&fields=campaign_id,campaign_name,frequency,spend,reach,impressions,objective,optimization_goal,clicks,actions&action_breakdowns=action_type&access_token=${token}`;      

I get 391,900 as total reach. As we can see, these are very inconsistent figures. What could be the cause of this Thanks in advance!

Technical detail: I'm calling the data via the GET REST API method >> const data = await fetch(url). I'm not using an SDK.

I expect to recieve the same reach figure, independently of the time_increment parameter.

I'm creating an automation flow with puppeteer to log in to Facebook and get the User Access Token. The code is a NodeJS code and pretty simple for now:

require("dotenv").config(); const { tagmanager } = require("googleapis/build/src/apis/tagmanager"); const puppeteer = require("puppeteer"); (async () => {   // Lança o navegador com a UI visível para que possamos acompanhar o processo   const browser = await puppeteer.launch({ headless: false });   const page = await browser.newPage();   // Define a URL para o fluxo de login do Facebook   const facebookLoginURL = `https://www.facebook.com/v16.0/dialog/oauth?client_id=${process.env.FB_APP_ID}&redirect_uri=${process.env.FB_REDIRECT_URI}&scope=email,public_profile&response_type=code`;   // Vai para a página de login do Facebook   await page.goto(facebookLoginURL);   // Espera o span com o texto específico "Permitir todos os cookies"   await page.waitForFunction(() => {     const elements = Array.from(document.querySelectorAll("span"));     // Verifica se algum elemento contém o texto "Permitir todos os cookies"     const targetElement = elements.find(       (element) => element.textContent.trim() === "Permitir todos os cookies"     );     // Se o elemento for encontrado, retorna true para sair do loop     if (targetElement) {       return true;     }     // Continua o loop se não encontrar o elemento     return false;   });   // Encontra e clica diretamente com page.click()   await page.evaluate(() => {     const elements = Array.from(document.querySelectorAll("span"));     // Verifica se algum elemento contém o texto "Permitir todos os cookies"     const targetElement = elements.find(       (element) => element.textContent.trim() === "Permitir todos os cookies"     );     if (targetElement) {       targetElement.setAttribute("id", "cookie-button"); // Atribui um ID temporário para garantir o seletor     }   });   await page.click("#cookie-button"); // Usa o seletor id para clicar diretamente   // Espera que o campo de email esteja disponível e preenche com o seu usuário de teste   await page.waitForSelector("#email");   await page.type("#email", process.env.FB_TEST_USER_EMAIL);   // Preenche a senha com a senha do usuário de teste   await page.type("#pass", process.env.FB_TEST_USER_PASSWORD);   // Clica no botão de login   await page.click('button[name="login"]');   // Espera o redirecionamento para a URL de callback   await page.waitForNavigation();   // Obtém a URL atual (que deve conter o código de autenticação)   const redirectedUrl = page.url();   console.log("Redirected URL:", redirectedUrl);   //here we need to handle 2FA   //...   // Extraia o código da URL de redirecionamento   const urlParams = new URLSearchParams(redirectedUrl.split("?")[1]);   const authCode = urlParams.get("code");   console.log(`Auth Code: ${authCode}`);   await browser.close(); })(); 

The puppeter code above comprises the following steps:

  1. Open Facebook login page (OK)

  2. Log in with user and password (OK)

  3. Enter 2FA code (not OK)

  4. Get User Access Token (not OK because of 3)

I'm having trouble with step 3, because I don't know how to get the code automatically, i.e. without having to enter it manually. Any solutions?

2FA is enabled in Meta Business Manager and I normally receive this code by SMS or via the Microsoft Authenticator app. I could perhaps disable 2FA for the user in question in the Meta Business Manager, but that's something I wouldn't want to do, as it reduces credibility on the Meta side, which could block the user.

So I'd like to "hear" from you about possible ways of dealing with this. Thanks in advance!

I want to handle with 2FA by using puppeteer to login on Facebook with a normal user account.