Azure Function Trigger Not Processing Images in PDFs Correctly

I’m encountering an issue with my Azure Function trigger, which processes files uploaded to Azure Blob Storage and indexes them into Azure Cognitive Search. The function works perfectly for most file types (e.g., standalone images, DOCX, CSV), but it fails to correctly process images embedded within PDFs.

Here’s a brief overview of my setup:

The Azure Function is triggered by an Event Grid event when a blob is created or deleted in Azure Blob Storage.
The function retrieves the blob’s metadata, extracts its content based on the file type, and then uploads the content to Azure Cognitive Search.
While standalone images, DOCX files, and other document types are processed and indexed correctly, the function fails to process images within PDFs.

I have tested the indexer manually through the Azure portal, and it works as expected for images in PDFs. However, when triggered automatically by the Azure Function, the images in PDFs are not processed correctly.

Here is the main part of my trigger code:

Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
<code>const { app } = require('@azure/functions');
const { BlobServiceClient, StorageSharedKeyCredential } = require('@azure/storage-blob');
const { SearchClient, AzureKeyCredential } = require('@azure/search-documents');
const pdf = require('pdf-parse');
const mammoth = require('mammoth');
const xlsx = require('xlsx');
const path = require('path');
const fs = require('fs');
const configPath = path.join(__dirname, 'config.json');
const config = JSON.parse(fs.readFileSync(configPath, 'utf8'));
const csvParser = require('csv-parser');
const accountName = config.blobAccountName;
const accountKey = config.blobAccountKey;
const containerName = config.blobContainerName;
const searchServiceName = config.searchServiceName;
const indexName = config.searchIndexName;
const apiKey = config.searchApiKey;
const blobServiceClient = new BlobServiceClient(
`https://${accountName}.blob.core.windows.net`,
new StorageSharedKeyCredential(accountName, accountKey)
);
const containerClient = blobServiceClient.getContainerClient(containerName);
const searchClient = new SearchClient(
`https://${searchServiceName}.search.windows.net/`,
indexName,
new AzureKeyCredential(apiKey)
);
async function indexBlob(blobName) {
try {
console.log(`Indexing blob: ${blobName}`);
const blobClient = containerClient.getBlobClient(blobName);
const downloadResponse = await blobClient.download();
const encodedName = Buffer.from(blobName).toString('base64');
console.log(`encodedName: ${encodedName}`);
const properties = await blobClient.getProperties();
console.log(`properties:`, properties);
let contentType = properties.contentType || '';
const metadata = properties.metadata || {};
console.log(`metadata: ${metadata}`);
const uniqueId = properties.metadata.uniqueId;
console.log(`uniqueId: ${uniqueId}`);
console.log("content type: ", contentType);
if (contentType === 'application/octet-stream') {
const extension = path.extname(blobName).toLowerCase();
switch (extension) {
case '.pdf':
contentType = 'application/pdf';
break;
case '.txt':
contentType = 'text/plain';
break;
case '.docx':
contentType = 'application/vnd.openxmlformats-officedocument.wordprocessingml.document';
break;
case '.xlsx':
contentType = 'application/vnd.openxmlformats-officedocument.spreadsheetml.sheet';
break;
case '.csv':
contentType = 'text/csv';
break;
default:
if (imageExtensions.includes(extension)) {
contentType = 'image/*';
} else {
console.log(`Unsupported file extension: ${extension}`);
return;
}
break;
}
}
let blobContent = '';
if (contentType === 'application/pdf') {
const pdfBuffer = await streamToBuffer(downloadResponse.readableStreamBody);
const pdfData = await pdf(pdfBuffer);
blobContent = pdfData.text;
} else if (contentType === 'text/plain') {
blobContent = await streamToString(downloadResponse.readableStreamBody);
} else if (contentType === 'application/vnd.openxmlformats-officedocument.wordprocessingml.document') {
const docxBuffer = await streamToBuffer(downloadResponse.readableStreamBody);
const result = await mammoth.extractRawText({ buffer: docxBuffer });
blobContent = result.value;
} else if (contentType === 'application/vnd.openxmlformats-officedocument.spreadsheetml.sheet') {
const excelBuffer = await streamToBuffer(downloadResponse.readableStreamBody);
const workbook = xlsx.read(excelBuffer, { type: 'buffer' });
let excelText = '';
workbook.SheetNames.forEach(sheetName => {
const worksheet = workbook.Sheets[sheetName];
excelText += xlsx.utils.sheet_to_csv(worksheet) + 'n';
});
blobContent = excelText;
} else if (contentType === 'text/csv') {
const csvBuffer = await streamToBuffer(downloadResponse.readableStreamBody);
blobContent = await csvToString(csvBuffer);
} else if (contentType.startsWith('image/')) {
blobContent = ''; // Let OCR handle image processing
} else {
console.log(`Unsupported content type: ${contentType}`);
return;
}
const document = {
id: encodedName,
content: blobContent,
metadata_storage_content_type: properties.contentType || null,
metadata_storage_size: properties.contentLength || null,
metadata_storage_last_modified: properties.lastModified ? new Date(properties.lastModified).toISOString() : null,
metadata_storage_content_md5: properties.contentMD5 ? Buffer.from(properties.contentMD5).toString('base64') : null,
metadata_storage_name: blobName,
metadata_storage_path: blobClient.url,
metadata_storage_file_extension: path.extname(blobName),
metadata_content_type: properties.contentType || null,
metadata_language: null,
metadata_author: null,
metadata_creation_date: properties.creationTime ? new Date(properties.creationTime).toISOString() : null,
};
await searchClient.uploadDocuments([document]);
console.log(`Document "${document.id}" has been indexed`);
} catch (error) {
console.error(`Error indexing document:`, error);
if (error.name === 'RestError') {
console.error(`RestError message:`, error.message);
console.error(`RestError details:`, error.response && error.response.body);
}
}
}
app.eventGrid('process-event-grid', {
handler: async (context, eventGridEvent) => {
try {
console.log(`Event received: ${JSON.stringify(eventGridEvent)}`);
const blobUrl = eventGridEvent.data.url;
const blobapi = eventGridEvent.data.api;
const blobName = blobUrl.substring(blobUrl.lastIndexOf('/') + 1);
if (blobapi === 'PutBlob') {
await indexBlob(blobName);
} else if (blobapi === 'DeleteBlob') {
await deleteDocument(blobName);
}
} catch (error) {
console.error(`Error processing event: ${error}`, eventGridEvent);
}
}
});
async function streamToBuffer(readableStream) {
return new Promise((resolve, reject) => {
const chunks = [];
readableStream.on("data", (data) => {
chunks.push(data instanceof Buffer ? data : Buffer.from(data));
});
readableStream.on("end", () => {
resolve(Buffer.concat(chunks));
});
readableStream.on("error", reject);
});
}
async function streamToString(readableStream) {
return new Promise((resolve, reject) => {
const chunks = [];
readableStream.on("data", (data) => {
chunks.push(data.toString());
});
readableStream.on("end", () => {
resolve(chunks.join(''));
});
readableStream.on("error", reject);
});
}
async function csvToString(buffer) {
return new Promise((resolve, reject) => {
const results = [];
const readableStream = bufferToStream(buffer);
readableStream
.pipe(csvParser())
.on('data', (data) => results.push(data))
.on('end', () => {
const csvString = results.map(row => Object.values(row).join(',')).join('n');
resolve(csvString);
})
.on('error', reject);
});
}
function bufferToStream(buffer) {
const stream = new require('stream').Readable();
stream.push(buffer);
stream.push(null);
return stream;
}
async function deleteDocument(blobName) {
try {
console.log(`Deleting document: ${blobName}`);
const encodedName = Buffer.from(blobName).toString('base64');
console.log(`encodedName: ${encodedName}`);
await searchClient.deleteDocuments([{ id: encodedName }]);
console.log(`Document "${encodedName}" has been deleted from the index`);
} catch (error) {
console.error(`Error deleting document:`, error);
if (error.name === 'RestError') {
console.error(`RestError message:`, error.message);
console.error(`RestError details:`, error.response && error.response.body);
}
}
}
module.exports = app;
</code>
<code>const { app } = require('@azure/functions'); const { BlobServiceClient, StorageSharedKeyCredential } = require('@azure/storage-blob'); const { SearchClient, AzureKeyCredential } = require('@azure/search-documents'); const pdf = require('pdf-parse'); const mammoth = require('mammoth'); const xlsx = require('xlsx'); const path = require('path'); const fs = require('fs'); const configPath = path.join(__dirname, 'config.json'); const config = JSON.parse(fs.readFileSync(configPath, 'utf8')); const csvParser = require('csv-parser'); const accountName = config.blobAccountName; const accountKey = config.blobAccountKey; const containerName = config.blobContainerName; const searchServiceName = config.searchServiceName; const indexName = config.searchIndexName; const apiKey = config.searchApiKey; const blobServiceClient = new BlobServiceClient( `https://${accountName}.blob.core.windows.net`, new StorageSharedKeyCredential(accountName, accountKey) ); const containerClient = blobServiceClient.getContainerClient(containerName); const searchClient = new SearchClient( `https://${searchServiceName}.search.windows.net/`, indexName, new AzureKeyCredential(apiKey) ); async function indexBlob(blobName) { try { console.log(`Indexing blob: ${blobName}`); const blobClient = containerClient.getBlobClient(blobName); const downloadResponse = await blobClient.download(); const encodedName = Buffer.from(blobName).toString('base64'); console.log(`encodedName: ${encodedName}`); const properties = await blobClient.getProperties(); console.log(`properties:`, properties); let contentType = properties.contentType || ''; const metadata = properties.metadata || {}; console.log(`metadata: ${metadata}`); const uniqueId = properties.metadata.uniqueId; console.log(`uniqueId: ${uniqueId}`); console.log("content type: ", contentType); if (contentType === 'application/octet-stream') { const extension = path.extname(blobName).toLowerCase(); switch (extension) { case '.pdf': contentType = 'application/pdf'; break; case '.txt': contentType = 'text/plain'; break; case '.docx': contentType = 'application/vnd.openxmlformats-officedocument.wordprocessingml.document'; break; case '.xlsx': contentType = 'application/vnd.openxmlformats-officedocument.spreadsheetml.sheet'; break; case '.csv': contentType = 'text/csv'; break; default: if (imageExtensions.includes(extension)) { contentType = 'image/*'; } else { console.log(`Unsupported file extension: ${extension}`); return; } break; } } let blobContent = ''; if (contentType === 'application/pdf') { const pdfBuffer = await streamToBuffer(downloadResponse.readableStreamBody); const pdfData = await pdf(pdfBuffer); blobContent = pdfData.text; } else if (contentType === 'text/plain') { blobContent = await streamToString(downloadResponse.readableStreamBody); } else if (contentType === 'application/vnd.openxmlformats-officedocument.wordprocessingml.document') { const docxBuffer = await streamToBuffer(downloadResponse.readableStreamBody); const result = await mammoth.extractRawText({ buffer: docxBuffer }); blobContent = result.value; } else if (contentType === 'application/vnd.openxmlformats-officedocument.spreadsheetml.sheet') { const excelBuffer = await streamToBuffer(downloadResponse.readableStreamBody); const workbook = xlsx.read(excelBuffer, { type: 'buffer' }); let excelText = ''; workbook.SheetNames.forEach(sheetName => { const worksheet = workbook.Sheets[sheetName]; excelText += xlsx.utils.sheet_to_csv(worksheet) + 'n'; }); blobContent = excelText; } else if (contentType === 'text/csv') { const csvBuffer = await streamToBuffer(downloadResponse.readableStreamBody); blobContent = await csvToString(csvBuffer); } else if (contentType.startsWith('image/')) { blobContent = ''; // Let OCR handle image processing } else { console.log(`Unsupported content type: ${contentType}`); return; } const document = { id: encodedName, content: blobContent, metadata_storage_content_type: properties.contentType || null, metadata_storage_size: properties.contentLength || null, metadata_storage_last_modified: properties.lastModified ? new Date(properties.lastModified).toISOString() : null, metadata_storage_content_md5: properties.contentMD5 ? Buffer.from(properties.contentMD5).toString('base64') : null, metadata_storage_name: blobName, metadata_storage_path: blobClient.url, metadata_storage_file_extension: path.extname(blobName), metadata_content_type: properties.contentType || null, metadata_language: null, metadata_author: null, metadata_creation_date: properties.creationTime ? new Date(properties.creationTime).toISOString() : null, }; await searchClient.uploadDocuments([document]); console.log(`Document "${document.id}" has been indexed`); } catch (error) { console.error(`Error indexing document:`, error); if (error.name === 'RestError') { console.error(`RestError message:`, error.message); console.error(`RestError details:`, error.response && error.response.body); } } } app.eventGrid('process-event-grid', { handler: async (context, eventGridEvent) => { try { console.log(`Event received: ${JSON.stringify(eventGridEvent)}`); const blobUrl = eventGridEvent.data.url; const blobapi = eventGridEvent.data.api; const blobName = blobUrl.substring(blobUrl.lastIndexOf('/') + 1); if (blobapi === 'PutBlob') { await indexBlob(blobName); } else if (blobapi === 'DeleteBlob') { await deleteDocument(blobName); } } catch (error) { console.error(`Error processing event: ${error}`, eventGridEvent); } } }); async function streamToBuffer(readableStream) { return new Promise((resolve, reject) => { const chunks = []; readableStream.on("data", (data) => { chunks.push(data instanceof Buffer ? data : Buffer.from(data)); }); readableStream.on("end", () => { resolve(Buffer.concat(chunks)); }); readableStream.on("error", reject); }); } async function streamToString(readableStream) { return new Promise((resolve, reject) => { const chunks = []; readableStream.on("data", (data) => { chunks.push(data.toString()); }); readableStream.on("end", () => { resolve(chunks.join('')); }); readableStream.on("error", reject); }); } async function csvToString(buffer) { return new Promise((resolve, reject) => { const results = []; const readableStream = bufferToStream(buffer); readableStream .pipe(csvParser()) .on('data', (data) => results.push(data)) .on('end', () => { const csvString = results.map(row => Object.values(row).join(',')).join('n'); resolve(csvString); }) .on('error', reject); }); } function bufferToStream(buffer) { const stream = new require('stream').Readable(); stream.push(buffer); stream.push(null); return stream; } async function deleteDocument(blobName) { try { console.log(`Deleting document: ${blobName}`); const encodedName = Buffer.from(blobName).toString('base64'); console.log(`encodedName: ${encodedName}`); await searchClient.deleteDocuments([{ id: encodedName }]); console.log(`Document "${encodedName}" has been deleted from the index`); } catch (error) { console.error(`Error deleting document:`, error); if (error.name === 'RestError') { console.error(`RestError message:`, error.message); console.error(`RestError details:`, error.response && error.response.body); } } } module.exports = app; </code>
const { app } = require('@azure/functions');
const { BlobServiceClient, StorageSharedKeyCredential } = require('@azure/storage-blob');
const { SearchClient, AzureKeyCredential } = require('@azure/search-documents');
const pdf = require('pdf-parse');
const mammoth = require('mammoth');
const xlsx = require('xlsx');
const path = require('path');
const fs = require('fs');
const configPath = path.join(__dirname, 'config.json');
const config = JSON.parse(fs.readFileSync(configPath, 'utf8'));
const csvParser = require('csv-parser');

const accountName = config.blobAccountName;
const accountKey = config.blobAccountKey;
const containerName = config.blobContainerName;
const searchServiceName = config.searchServiceName;
const indexName = config.searchIndexName;
const apiKey = config.searchApiKey;

const blobServiceClient = new BlobServiceClient(
  `https://${accountName}.blob.core.windows.net`,
  new StorageSharedKeyCredential(accountName, accountKey)
);

const containerClient = blobServiceClient.getContainerClient(containerName);

const searchClient = new SearchClient(
  `https://${searchServiceName}.search.windows.net/`,
  indexName,
  new AzureKeyCredential(apiKey)
);

async function indexBlob(blobName) {
  try {
    console.log(`Indexing blob: ${blobName}`);
    const blobClient = containerClient.getBlobClient(blobName);
    const downloadResponse = await blobClient.download();
    const encodedName = Buffer.from(blobName).toString('base64');
    console.log(`encodedName: ${encodedName}`);

    const properties = await blobClient.getProperties();
    console.log(`properties:`, properties);
    let contentType = properties.contentType || '';

    const metadata = properties.metadata || {};
    console.log(`metadata: ${metadata}`);
    const uniqueId = properties.metadata.uniqueId;
    console.log(`uniqueId: ${uniqueId}`);

    console.log("content type: ", contentType);

    if (contentType === 'application/octet-stream') {
      const extension = path.extname(blobName).toLowerCase();
      switch (extension) {
        case '.pdf':
          contentType = 'application/pdf';
          break;
        case '.txt':
          contentType = 'text/plain';
          break;
        case '.docx':
          contentType = 'application/vnd.openxmlformats-officedocument.wordprocessingml.document';
          break;
        case '.xlsx':
          contentType = 'application/vnd.openxmlformats-officedocument.spreadsheetml.sheet';
          break;
        case '.csv':
          contentType = 'text/csv';
          break;
        default:
          if (imageExtensions.includes(extension)) {
            contentType = 'image/*';
          } else {
            console.log(`Unsupported file extension: ${extension}`);
            return;
          }
          break;
      }
    }

    let blobContent = '';
    if (contentType === 'application/pdf') {
      const pdfBuffer = await streamToBuffer(downloadResponse.readableStreamBody);
      const pdfData = await pdf(pdfBuffer);
      blobContent = pdfData.text;
    } else if (contentType === 'text/plain') {
      blobContent = await streamToString(downloadResponse.readableStreamBody);
    } else if (contentType === 'application/vnd.openxmlformats-officedocument.wordprocessingml.document') {
      const docxBuffer = await streamToBuffer(downloadResponse.readableStreamBody);
      const result = await mammoth.extractRawText({ buffer: docxBuffer });
      blobContent = result.value;
    } else if (contentType === 'application/vnd.openxmlformats-officedocument.spreadsheetml.sheet') {
      const excelBuffer = await streamToBuffer(downloadResponse.readableStreamBody);
      const workbook = xlsx.read(excelBuffer, { type: 'buffer' });
      let excelText = '';
      workbook.SheetNames.forEach(sheetName => {
        const worksheet = workbook.Sheets[sheetName];
        excelText += xlsx.utils.sheet_to_csv(worksheet) + 'n';
      });
      blobContent = excelText;
    } else if (contentType === 'text/csv') {
      const csvBuffer = await streamToBuffer(downloadResponse.readableStreamBody);
      blobContent = await csvToString(csvBuffer);
    } else if (contentType.startsWith('image/')) {
      blobContent = ''; // Let OCR handle image processing
    } else {
      console.log(`Unsupported content type: ${contentType}`);
      return;
    }

    const document = {
      id: encodedName,
      content: blobContent,
      metadata_storage_content_type: properties.contentType || null,
      metadata_storage_size: properties.contentLength || null,
      metadata_storage_last_modified: properties.lastModified ? new Date(properties.lastModified).toISOString() : null,
      metadata_storage_content_md5: properties.contentMD5 ? Buffer.from(properties.contentMD5).toString('base64') : null,
      metadata_storage_name: blobName,
      metadata_storage_path: blobClient.url,
      metadata_storage_file_extension: path.extname(blobName),
      metadata_content_type: properties.contentType || null,
      metadata_language: null,
      metadata_author: null,
      metadata_creation_date: properties.creationTime ? new Date(properties.creationTime).toISOString() : null,
    };

    await searchClient.uploadDocuments([document]);
    console.log(`Document "${document.id}" has been indexed`);
  } catch (error) {
    console.error(`Error indexing document:`, error);
    if (error.name === 'RestError') {
      console.error(`RestError message:`, error.message);
      console.error(`RestError details:`, error.response && error.response.body);
    }
  }
}

app.eventGrid('process-event-grid', {
  handler: async (context, eventGridEvent) => {
    try {
      console.log(`Event received: ${JSON.stringify(eventGridEvent)}`);
      const blobUrl = eventGridEvent.data.url;
      const blobapi = eventGridEvent.data.api;
      const blobName = blobUrl.substring(blobUrl.lastIndexOf('/') + 1);
      if (blobapi === 'PutBlob') {
        await indexBlob(blobName);
      } else if (blobapi === 'DeleteBlob') {
        await deleteDocument(blobName);
      }
    } catch (error) {
      console.error(`Error processing event: ${error}`, eventGridEvent);
    }
  }
});

async function streamToBuffer(readableStream) {
  return new Promise((resolve, reject) => {
    const chunks = [];
    readableStream.on("data", (data) => {
      chunks.push(data instanceof Buffer ? data : Buffer.from(data));
    });
    readableStream.on("end", () => {
      resolve(Buffer.concat(chunks));
    });
    readableStream.on("error", reject);
  });
}

async function streamToString(readableStream) {
  return new Promise((resolve, reject) => {
    const chunks = [];
    readableStream.on("data", (data) => {
      chunks.push(data.toString());
    });
    readableStream.on("end", () => {
      resolve(chunks.join(''));
    });
    readableStream.on("error", reject);
  });
}

async function csvToString(buffer) {
  return new Promise((resolve, reject) => {
    const results = [];
    const readableStream = bufferToStream(buffer);
    readableStream
      .pipe(csvParser())
      .on('data', (data) => results.push(data))
      .on('end', () => {
        const csvString = results.map(row => Object.values(row).join(',')).join('n');
        resolve(csvString);
      })
      .on('error', reject);
  });
}

function bufferToStream(buffer) {
  const stream = new require('stream').Readable();
  stream.push(buffer);
  stream.push(null);
  return stream;
}

async function deleteDocument(blobName) {
  try {
    console.log(`Deleting document: ${blobName}`);
    const encodedName = Buffer.from(blobName).toString('base64');
    console.log(`encodedName: ${encodedName}`);
    await searchClient.deleteDocuments([{ id: encodedName }]);
    console.log(`Document "${encodedName}" has been deleted from the index`);
  } catch (error) {
    console.error(`Error deleting document:`, error);
    if (error.name === 'RestError') {
      console.error(`RestError message:`, error.message);
      console.error(`RestError details:`, error.response && error.response.body);
    }
  }
}

module.exports = app;

Trang chủ Giới thiệu Sinh nhật bé trai Sinh nhật bé gái Tổ chức sự kiện Biểu diễn giải trí Dịch vụ khác Trang trí tiệc cưới Tổ chức khai trương Tư vấn dịch vụ Thư viện ảnh Tin tức - sự kiện Liên hệ Chú hề sinh nhật Trang trí YEAR END PARTY công ty Trang trí tất niên cuối năm Trang trí tất niên xu hướng mới nhất Trang trí sinh nhật bé trai Hải Đăng Trang trí sinh nhật bé Khánh Vân Trang trí sinh nhật Bích Ngân Trang trí sinh nhật bé Thanh Trang Thuê ông già Noel phát quà Biểu diễn xiếc khỉ Xiếc quay đĩa Dịch vụ tổ chức sự kiện 5 sao Thông tin về chúng tôi Dịch vụ sinh nhật bé trai Dịch vụ sinh nhật bé gái Sự kiện trọn gói Các tiết mục giải trí Dịch vụ bổ trợ Tiệc cưới sang trọng Dịch vụ khai trương Tư vấn tổ chức sự kiện Hình ảnh sự kiện Cập nhật tin tức Liên hệ ngay Thuê chú hề chuyên nghiệp Tiệc tất niên cho công ty Trang trí tiệc cuối năm Tiệc tất niên độc đáo Sinh nhật bé Hải Đăng Sinh nhật đáng yêu bé Khánh Vân Sinh nhật sang trọng Bích Ngân Tiệc sinh nhật bé Thanh Trang Dịch vụ ông già Noel Xiếc thú vui nhộn Biểu diễn xiếc quay đĩa Dịch vụ tổ chức tiệc uy tín Khám phá dịch vụ của chúng tôi Tiệc sinh nhật cho bé trai Trang trí tiệc cho bé gái Gói sự kiện chuyên nghiệp Chương trình giải trí hấp dẫn Dịch vụ hỗ trợ sự kiện Trang trí tiệc cưới đẹp Khởi đầu thành công với khai trương Chuyên gia tư vấn sự kiện Xem ảnh các sự kiện đẹp Tin mới về sự kiện Kết nối với đội ngũ chuyên gia Chú hề vui nhộn cho tiệc sinh nhật Ý tưởng tiệc cuối năm Tất niên độc đáo Trang trí tiệc hiện đại Tổ chức sinh nhật cho Hải Đăng Sinh nhật độc quyền Khánh Vân Phong cách tiệc Bích Ngân Trang trí tiệc bé Thanh Trang Thuê dịch vụ ông già Noel chuyên nghiệp Xem xiếc khỉ đặc sắc Xiếc quay đĩa thú vị
Trang chủ Giới thiệu Sinh nhật bé trai Sinh nhật bé gái Tổ chức sự kiện Biểu diễn giải trí Dịch vụ khác Trang trí tiệc cưới Tổ chức khai trương Tư vấn dịch vụ Thư viện ảnh Tin tức - sự kiện Liên hệ Chú hề sinh nhật Trang trí YEAR END PARTY công ty Trang trí tất niên cuối năm Trang trí tất niên xu hướng mới nhất Trang trí sinh nhật bé trai Hải Đăng Trang trí sinh nhật bé Khánh Vân Trang trí sinh nhật Bích Ngân Trang trí sinh nhật bé Thanh Trang Thuê ông già Noel phát quà Biểu diễn xiếc khỉ Xiếc quay đĩa
Thiết kế website Thiết kế website Thiết kế website Cách kháng tài khoản quảng cáo Mua bán Fanpage Facebook Dịch vụ SEO Tổ chức sinh nhật