Postingan

Node.js Image to Text (KTP INDONESIA)

To run this code, you need to ensure you have installed the necessary dependencies, particularly Tesseract.js. You can install Tesseract.js using npm: npm install tesseract.js Copy Paste This Code: const Tesseract = require('tesseract.js'); async function recognizeKTP(imagePath) { try { // Run OCR on the provided image const { data: { text } } = await Tesseract.recognize( imagePath, 'ind', // Set the language to Indonesian { logger: m => console.log(m) } // Optional logger function to see progress ); // Extract relevant fields from the recognized text const ktpData = { NIK: '', Nama: '', TglLahir: '', TempatLahir: '', JenisKelamin: '', Alamat: '', GolDarah: '', Agama: '', StatusPerkawinan: '',

Node.js Telegram Bot API send an image with text

To send an image with text using the Telegram Bot API in Node.js, you can use the node-fetch library to make HTTP requests and the FormData module to handle multipart/form-data requests for uploading images. First, install the required modules: npm install node-fetch Here's an example code snippet to send an image with text using the Telegram Bot API: const fetch = require('node-fetch'); const FormData = require('form-data'); const BOT_TOKEN = 'YOUR_TELEGRAM_BOT_TOKEN'; const CHAT_ID = 'TARGET_CHAT_ID'; async function sendImageWithText() { const photoUrl = 'URL_TO_YOUR_IMAGE'; // Replace with the URL of your image const form = new FormData(); form.append('chat_id', CHAT_ID); form.append('photo', photoUrl); form.append('caption', 'Your text caption goes here'); try { const response = await fetch(`https://api.telegram.org/bot${BOT_TOKEN}/sendPhoto`, { method: 'POST',

Node.js schedule

To use node-schedule to execute a task every day at a specific time, you can create a schedule rule using the library's syntax. Here's an example that schedules a task to run every day at 2:30 PM: First, install node-schedule if you haven't already: npm install node-schedule Now, you can use the following code: const schedule = require('node-schedule'); // Schedule a task to run every day at 2:30 PM const dailyJob = schedule.scheduleJob('30 14 * * *', () => { // Your code here console.log('Task executed every day at 2:30 PM'); }); In the above code: '30 14 * * *' is a cron-like syntax specifying the schedule. It means the task will run when the minute is 30 and the hour is 14 (2 PM). The * in the other positions means "any" for the day of the month, month, day of the week, and year. Adjust the cron expression based on your preferred time. The first part represents the minute (0-59), the second part represent

Node.js API from PHP

To call a Node.js API from PHP, you can use various methods such as cURL or Guzzle. Here's an example of how you can call a Node.js API from PHP using cURL: // URL of the Node.js API endpoint $url = 'http://localhost:3000/api'; // Replace this with your Node.js API URL // Data to be sent to the Node.js API $data = array( 'key1' => 'value1', 'key2' => 'value2' ); // Initialize cURL session $ch = curl_init($url); // Set the request method to POST curl_setopt($ch, CURLOPT_POST, 1); // Set the POST data curl_setopt($ch, CURLOPT_POSTFIELDS, $data); // Set the return transfer to true curl_setopt($ch, CURLOPT_RETURNTRANSFER, true); // Execute the request $response = curl_exec($ch); // Close the cURL session curl_close($ch); // Output the response echo $response; Make sure to replace the URL with the actual endpoint of your Node.js API and modify the $data array as per your API's requirements. Additionally, you can u

Node.js select a MySQL database

To select a MySQL database and insert data into a table within that database using Node.js, you need to modify the previous code by specifying the database in the connection and using the selected database in the SQL query. Here's an example: const mysql = require('mysql'); // Create a connection to the database const connection = mysql.createConnection({ host: 'localhost', // Replace with your host name user: 'yourusername', // Replace with your database username password: 'yourpassword', // Replace with your database password database: 'yourdatabase', // Replace with your database name }); // Connect to the database connection.connect((err) => { if (err) { console.error('Error connecting to the database: ' + err.stack); return; } console.log('Connected to the database as id ' + connection.threadId); // Select the database connection.query('USE yourdatabase', (error) => { if

Node.js web service using Express

To create a Node.js web service using Express that handles POST requests with parameters, you can follow these steps: 1. Initialize a new Node.js project: mkdir myWebService cd myWebService npm init -y 2. Install Express and Body-Parser: npm install express body-parser 3. Create an index.js file with the following code: // index.js const express = require('express'); const bodyParser = require('body-parser'); const app = express(); const port = 3000; // Use body-parser middleware app.use(bodyParser.urlencoded({ extended: false })); app.use(bodyParser.json()); // Handling POST request with parameters app.post('/api', (req, res) => { const { param1, param2 } = req.body; res.send(`Received POST data - Parameter 1: ${param1}, Parameter 2: ${param2}`); }); // Start the server app.listen(port, () => { console.log(`Server is running at http://localhost:${port}`); }); 4. Run the service using the following command: node index.js

OTP (One Time Password) functionality in PHP with an expiration time

To implement OTP (One Time Password) functionality in PHP with an expiration time, you can use the $_SESSION variable to store the OTP and its creation time. Here's an example of how to generate an OTP with an expiration time: // Function to generate a random OTP function generateOTP($length = 6) { $characters = '0123456789'; $otp = ''; $max = strlen($characters) - 1; for ($i = 0; $i < $length; $i++) { $otp .= $characters[mt_rand(0, $max)]; } return $otp; } // Function to check if the OTP is still valid function isOTPValid($otp, $createdTime, $expirationTime) { // Compare the provided OTP with the stored OTP if ($otp === $_SESSION['otp'] && time() <= $createdTime + $expirationTime) { return true; } else { return false; } } // Example usage session_start(); $expirationTime = 300; // Expiration time in seconds (5 minutes) $otp = generateOTP(); $_SESSION['otp'] = $otp; $

Node.js Telegram BOT retrieve data from API

To retrieve data from an API and send it via a Telegram bot using Node.js, you can combine the axios library for API requests with the node-telegram-bot-api library for sending messages. Below is an example that fetches data from an API and then sends it as a message using a Telegram bot: const TelegramBot = require('node-telegram-bot-api'); const axios = require('axios'); // Telegram Bot API token (replace this with your own token) const token = 'YOUR_TELEGRAM_BOT_API_TOKEN'; const bot = new TelegramBot(token, { polling: true }); // API endpoint to fetch data from const apiUrl = 'YOUR_API_ENDPOINT'; // Replace with your API endpoint // Client ID and Client Secret for authentication const clientId = 'YOUR_CLIENT_ID'; const clientSecret = 'YOUR_CLIENT_SECRET'; // Function to fetch data from the API const fetchDataFromAPI = async () => { try { const response = await axios.get(apiUrl, { headers: { 'Client-

Node.js Telegram BOT

To send a message to a user or a group chat using the Telegram Bot API in Node.js, you can use the node-telegram-bot-api library. Below is an example of how to send a message to a specific chat using the library: const TelegramBot = require('node-telegram-bot-api'); // Telegram Bot API token (replace this with your own token) const token = 'YOUR_TELEGRAM_BOT_API_TOKEN'; // ID of the chat you want to send a message to const chatId = 'CHAT_ID'; // Replace with the actual chat ID // Create a bot that uses 'polling' to fetch new updates const bot = new TelegramBot(token, { polling: true }); // Function to send a message const sendMessage = (chatId, message) => { bot.sendMessage(chatId, message) .then(() => { console.log('Message sent successfully'); }) .catch((error) => { console.error('Error sending message:', error.message); }); }; // Example of sending a message sendMessage(chatId, 'Hello

Integrate TCPDF into a Yii2 Advanced application

To integrate TCPDF into a Yii2 Advanced application, follow these steps: Step 1: Install TCPDF via Composer: In the root directory of your Yii2 Advanced application, run the following command: composer require tecnickcom/tcpdf Step 2: Create a new php file or use an existing one to generate PDFs. Here is an example of how to use TCPDF in a Yii2: $rootPath = Yii::getAlias('@vendor'); require_once $rootPath . '/autoload.php'; require_once $rootPath . '/tecnickcom/tcpdf/tcpdf.php'; $pdf = new TCPDF(); $pdf->SetCreator('Your Name'); $pdf->SetAuthor('Your Name'); $pdf->SetTitle('Sample PDF'); $pdf->SetSubject('Sample PDF'); $pdf->SetKeywords('TCPDF, PDF, Sample'); $pdf->AddPage(); $pdf->SetFont('times', 'B', 16); $pdf->Cell(40, 10, 'Hello World!'); header('Content-Type: application/pdf'); header('Content-Disposition: inline; filename="example.p