Astro js dynamic nested routing.. Is this right approach?

say, there is an app shows football match data of several leagues. The match data comes from external apis.

Here is the routing. I want to show a top page for each league and monthly pages which shows match data by the month.

page structure

[league]
|- [month].astro
| index.astro

Routing for [league] index.astro

I make api requests within getStaticPaths() and create routing data like this.

export function getStaticPaths() {
  // api requests, then create routing data.
  return [
    { params: { league: "Bundesliga" }},
    { params: { league: "Laliga" }},
    { params: { league: "EnglishPremierLeague" }},
  ];
}

Routing for [month].astro

So, I should probably need data like this.

return [
  { params: { league: "Bundesliga", month: "2023-04" } },
  { params: { league: "Bundesliga", month: "2023-05" } },
  { params: { league: "Bundesliga", month: "2023-06" } },
  { params: { league: "Bundesliga", month: "2023-06" } },
  { params: { league: "Laliga", month: "2023-06" } },
  { params: { league: "Laliga", month: "2023-07" } },
  { params: { league: "Laliga", month: "2023-08" } },
  { params: { league: "Laliga", month: "2023-09" } },
  { params: { league: "EnglishPremierLeague", month: "2023-12" } },
  { params: { league: "EnglishPremierLeague", month: "2024-01" } },
];

But this method seems too verbose, because to create data like this, you need another api requests from every routing files.

Is there any better way to do it? like making just one request and create all possible routing data patterns and can be referenced from routing astro files?

I’m trying to generate form control dynamically in angular forms & i’m facing that error in console “TypeError: feature_r5.get is not a function”

I’m trying to generate form controls dynamically on click of a button in Angular v14 html template i generate it but i’m facing that error in console.

ERROR TypeError: feature_r5.get is not a function
 at PostAdvComponent_div_40_Template

Html template code

<div id="features" class="tab-pane mytab-pane">
            <div class="form-group">
                <button type="button" class="btn btn-primary" (click)="addFeatureButtonClick()">Add</button>
            </div>

            <div formArrayName="features" *ngFor="let feature of advForm.get('features')?.value; let i = index">
                    <div attr.formGroupName="{{i}}">
                        <div class="form-group" [ngClass]="{'has-error' : feature.get('fName').invalid &&
                                                                           feature.get('fName').touched}">
                            <div class="input-group">
                                <span class="input-group-prepend">
                                    <label class="input-group-text"><strong>Features</strong></label>
                                </span>
                                <input type="text" id="{{'fName'+i}}" name="fName" class="form-control" placeholder="Features"
                                    formControlName="fName"/>
                            </div>
                            <span class="help-block" *ngIf="feature.get('fName').errors.required &&
                                                            feature.get('fName').touched">
                                Feature is required
                            </span>
                        </div>
                    </div>
            </div>
        </div>

How can I convert Python API calls to Javascript arrays to make a Flask app look nicer?

Can Python API calls be converted to Javascript arrays so Javascript can be used to make it look nicer when rendered in a Flask app? I am working on a project but my friend who is a python programmer wants to use Python to make the API call, problem is I am a JavaScript / Web programmer, so I haven’t the first clue how to convert the Python API response into a Python Array, then somehow pass that data to a JavaScript Array so I can work with the data and make it look nicer on the website project we are building.

I can do the API call with fetch() way easier since we are developing a web application, but he is insisting on Python because we’re trying to use Flask.

Cypress – There was an error reconnecting to the Chrome DevTools protocol

I’m running a controlled test in cypress and after some tests, this error is randomly occurring in the electron browser:

There was an error reconnecting to the Chrome DevTools protocol. Please restart the browser.

enter image description here

in google chrome it is running without errors, but in electron it is breaking.
I need to run in electron because of settings in aws

I need to send an email from my sheets. How do I get the cell values as variables in HTML?

I am working on a code that reads the sheets and copies the whole template to an email. I am using all google tools and apps script. The problem I am facing right now is that I don’t how to link the variables I declared in the java script code with the cells values into the html file where I need the values to be displayed. Can someone please explain me and give me an example if possible. I looked at other codes available here but they don’t have the link/connection between java and html.

Thanks

Read JPG using Flask after being uploaded without being saved on the server

I’m new to HTML, CSS and JavaScript. I’m doing a website where the user uploads an image in a drag and drop container. I want to read the uploaded JPG file using Flask once a POST request have been summited, how can I do it? For now I’m confused how the file is uploaded and how can I process it in Flask.

I’m using the method readAsDataURL, is it good practice? Since I want to display it but then I want to read the image as JPG or JPEG. Also, if I try to download it, it is saved as jfif, how does this happen?

Here’s the js script where the image is uploaded:

dragArea.addEventListener('drop', (event)=>{
    event.preventDefault(); // Prevent to load the page from the submit button
    file = event.dataTransfer.files[0]; // Get the file uploaded
    displayFile();
    
});

// Savve and display image after it is dropped
function displayFile() {
    let fileType = file.type;

    let validExtensions = ['image/jpeg', 'image/jpg', 'image/png'];

    if (validExtensions.includes(fileType)){
        let fileReader = new FileReader();

        fileReader.onload = () =>{
            let fileURL = fileReader.result;
            //console.log(fileURL);
            let imgTag = `<img src = ${fileURL}>`;
            dragArea.innerHTML = imgTag;
            dragArea.classList.add('active2');
        };
        fileReader.readAsDataURL(file);
    }
    else{
        alert('This file is not an image');
        dragArea.classList.remove('active');
    }
}

Here’s the HTML

<!DOCTYPE html>
<html lang="en">
    <head>
        <meta charset="UTF-8">
        <meta http-equiv="X-UA-Compatible" content="IE=edge">
        <meta name="viewport" content="width=device-width, initial-scale=1.0">
        
        <link href="https://fonts.googleapis.com/css2?family=Montserrat:wght@500&display=swap" rel="stylesheet">
        <link rel="stylesheet" href="https://cdnjs.cloudflare.com/ajax/libs/font-awesome/6.4.0/css/all.min.css" integrity="sha512-iecdLmaskl7CVkqkXNQ/ZH/XLlvWZOJyj7Yy7tcenmpD1ypASozpmT/E0iPtmFIB46ZmdtAc9eNBvH0H/ZpiBw==" crossorigin="anonymous" referrerpolicy="no-referrer" />
        <link rel="stylesheet" type="text/css" href="staticstyles.css"/>
    </head>

    <body>
        <div class="body2">
            <div class="container">
                <h3>Upload your file</h3>
                <div class="drag-area">
                    <div class="icon">
                        <i class="fas fa-images"></i>
                    </div>
                    <span class="header2">Drag and drop</span>
                    <span class="header2">or <span class="button">browse</span></span>
                    <input type="file" id = "opener"hidden/>
                    <span class="support">Supports: JPEG, JPG</span>
                </div>
            </div>
            
            <div class="form-container">
                <form action="/" method="post" enctype="multipart/form-data">
                    <div class="input-form">
                        <input autocomplete="off" min="1" max="10" name="amount-colors" placeholder="Amount of colors" type="number">
                    </div> 
                    <div>
                        <button type="submit" class="button-form">Upload</button>
                    </div>
                </form>
            </div>

        </div>

        <script src="/static/script.js"></script>
    </body>
</html>

I was thinking something to do in the app.py script something like this:
What are the good practices? I’ve seen ways to do it with the library PIL, but I don’t know which way suits better.

from flask import Flask, flash, jsonify, redirect, render_template, request, session
import os

app = Flask(__name__)

@app.route('/', methods = ['POST', 'GET'])
def index():
    if request.method == "GET":
        return render_template('index.html')

    elif request.method == "POST":
        # Get the amount of colors
        k = request.form.get("amount-k")

        # Load up the image
        # This part will get the JPEG that the user uploaded

        # Do algorithm
        # Pass the JPG or JPEG

        # Return
        return render_template("layout.html")

if __name__ == '__main__':
    app.debug = True
    app.run(host = '0.0.0.0', port = 5000)

Any help or documentation is appreciated

What is wrong with my if else statements for my rock paper scissor game?

I am attempting to make a Rock Paper Scissors game in JavaScript, however, every time I run it the console logs the last option “You win! Scissors beats Paper” even if my selection was something other than scissors. I believe I made an error with my if else statements but maybe the problem comes from some other part.

function getComputerChoice() {
    const randomNumber = Math.floor(Math.random()*3);
    switch(randomNumber) {
        case 0:
            return "rock";
        case 1: 
            return "paper";
        case 2:
            return "scissors";
    };
    }


function getPlayerChoice() {
    prompt("rock paper or scissors?").toLowerCase();
}




 function playRound (playerSelection,computerSelection) {
    computerSelection = getComputerChoice()
    playerSelection = getPlayerChoice()

    

        

    if (computerSelection === playerSelection) {
        console.log  ("Tie");
    }
   
    else if (computerSelection === "rock" && playerSelection === "scissors") {
        console.log ("You lose! Rock beats Scissors");
    }
    else if (computerSelection === "paper" && playerSelection === "rock") {
        console.log ("You lose! Paper beats Rock");
    }
    else if (computerSelection === "scissors" && playerSelection === "paper") {
        console.log ("You lose! Scissors beats Paper");
    }

    else if (playerSelection === "rock" && computerSelection === "scissors") {
        console.log ("You win! Rock beats Scissors");
    }
    else if (playerSelection === "paper" && computerSelection === "rock") {
        console.log ("You win! Paper beats Rock");
    }
    else  (playerSelection === "scissors" && computerSelection === "paper") ;{
        console.log ("You win! Scissors beats Paper");
    }


} 

VSCode is commenting out code after /* in string literals. How can I disable this?

VSCode is commenting out all the code behind from the part ‘/*’ in the string literal on my JS file.

enter image description here
I don’t want this behaviour.

Is there anybody who experienced some similar things like this using VSCode?

Whole code of this file is here

import { json } from '@sveltejs/kit';

async function getPost() {
    let posts = [];

    const paths = import.meta.glob('/src/posts/*.md', { eager: true });

    for (const path in paths) {
        console.log(path);
    }

    return posts;
}

export async function GET() {
    const post = await getPost();
    return json(post);
}

I tried to escape the asterisk in the string literal but the prettier auto fixed it.

'/src/posts/*.md' => /src/posts/*.md' (auto fixed by prettier)

Cannot access cookie in axios interceptor

I’ve got a function that creates a cookie (I’m using sveltekit):

event.cookies.set(AUTH_TOKEN_KEY, response.data.token, {
        // send cookie for every page
        path: '/',
        // server side only cookie so you can't use `document.cookie`
        httpOnly: false,
        // only requests from same site can send cookies
        // https://developer.mozilla.org/en-US/docs/Glossary/CSRF
        sameSite: 'strict',
        // only sent over HTTPS in production
        secure: process.env.NODE_ENV === 'production',
        // set cookie to expire after a month
        maxAge: 60 * 60 * 24 * 30,
    })

the cookie is successfully created (see image):

championship-access-token   eyJhbGciOiJIUzI1NiIsInR5cCI6IkpXVCJ9.eyJlYXQiOiIyMDIzLTA1LTIyVDAxOjI4OjMwLjk0MzAwMTE3MloiLCJpYXQiOjE2ODQ3MTY5MTAsImlkIjo3fQ.VaVfzgnib0DhzRO8jUJ-X_2BRIiAGXIq8eEQOs85anI localhost   /   6/20/2023, 8:55:10 PM   192 B       ✓   Strict

cookie

Now, I’ve created an axios interceptor since I want to retrieve the token stored in the cookie and attach it to my requests. The problem is that I cannot access the cookie. I’m using js-cookie, and the interceptor looks like this:

import axios from "axios";
import Cookies from 'js-cookie';

export const app = axios.create({
    baseURL: "http://127.0.0.1:8080/api/v1",
    timeout: 1000,
    params: {},
});

app.interceptors.request.use(
    config => {
        console.log("interceptor -> retrieving cookie:");
        Cookies.set("test123", "asdasdasd")
        console.log(Cookies.get(AUTH_TOKEN_KEY));
        console.log("test cookie: ", Cookies.get("test123"))
        console.log("cookie: ", Cookies.get(AUTH_TOKEN_KEY));
        console.log("ALL COOKIES", Cookies.get())
        config.headers['Content-Type'] = 'application/json';
        return config;
    },
    error => {
        Promise.reject(error)
    }
);

In the code above I’m not trying yet to attach the value of the cookie, I’m simply trying to retrieve it at the moment but it’s always undefined. I tried to create a new cookie using js-cookie but doesn’t seem to work. Notice that the original cookie was created using a cookie helper from Sveltkit which I cannot access at this point (or at least I don’t know how since it’s only accessible from server side files), reason why I decided to use js-cookie.

Any idea what’s going on? Perhaps is the import the one that I got wrong? I already tried:
import * as Cookies from 'js-cookie' yet the result is the same.

One more thing which I don’t know if it’s relevant to the question: notice this param used to create the cookie:

httpOnly: false,

even though it is set to false, the cookie is set as httpOnly (see screenshot).

Thanks

Sending multiple documents to a mongo collection

so i have a collection of forms that users sends I generate a match when some criteria is meet between 2 forms now i’d like to send the match information to a MongoDB collection but when trying it sends empty information.

I tried the next code with different variations but it doesnt seems to work, all it does in send an object with an ID and nothing else.

const newMatch = new Match(matches)
newMatch.save()

Extended example:

const express = require("express");
const router = express.Router();
const Forms = require("../models/Forms");
const Match = require("../models/Match");

const matchMaker = {
    generateMatch: async (req, res) => {

    let data;
    let ignore = [];
    try {
      data = await Forms.find();
      const result1 = findMatches1(data);
      const result2 = findMatches2(data);
      const result3 = findMatches3(data);
      
      if (result1.length >= result2.length && result1.length >= result3.length) {
        res.json(result1);
      } else if (result2.length >= result1.length && result2.length >= result3.length) {
        res.json(result2);
      } else if (result3.length >= result1.length && result3.length >= result2.length) {
        res.json(result3);
      }
      function findMatches1(data) {
        data.sort((a, b) => a.time.length - b.time.length);
      
        const matchedIds = new Set(); 
        const matches = []; 

        for (let i = 0; i < data.length - 1; i++) {
          if (matchedIds.has(data[i]._id)) continue; 
      
          const person1 = data[i];
          const options1 = person1.time;
      
          for (let j = i + 1; j < data.length; j++) {
            if (matchedIds.has(data[j]._id)) continue; 
      
            const person2 = data[j];
            const options2 = person2.time;
      
            if (
              person1.date === person2.date &&
              person1.place === person2.place &&
              person1.modality === person2.modality
            ) {

              const commonTime = options1.find((time) => options2.includes(time));
      
              if (commonTime) {
                matches.push({
                  participant1: person1.firstName + ` ` + person1.surname,
                  participant2: person2.firstName + ` ` + person2.surname,
                  date: person1.date,
                  time: commonTime,
                  modality: person1.modality,
                  place: person1.place,
                  status: person1.status,
                  organization: person1.organization
                });
                matchedIds.add(person1._id);
                matchedIds.add(person2._id);
                break; 
                
                const newMatch = new Match (matches)   
                newMatch.save()
              }
            }
          }
        }
        return matches;
      }

Thank you for any insight you can provice

Is there any way to add sha512 to this php webpage in js for making the site more secure?

I am trying to add sha512 to a page for making the webpage more secure to make it harder for people to brute force the hash to get access to the secret in the url prams

heres the js:


                  
     
      (function() {
        const GetPass = function() {
          var usrpass = document.getElementById("userPassword").value;
          const args = window.location.search;
          const urlprams = new URLSearchParams(args);
          var password = urlprams.get('password')
          var hash = sha256(usrpass)
          if (hash==password) {
            var info = urlprams.get('secret')
            var urle = atob(info)
            var sec = decodeURI(urle)
            const htm = sec.split("n")
            htm.forEach(function (item, index) {
              htm[index] = item + "<br/>"
            });
            var html = htm.join('')
            document.body.innerHTML = (html);
            document.title = 'reload to exit'
            document.cookie = ''
          } else {
            alert('Incorrect Password!')
          }
        };
        window.GetPass = GetPass;
      })();

    

I tried using the crypto sha512 library but it errored out same with a function I tried

Please help! Basic HTML/JS Web Development Question

I have the below problem where I am trying to get the code from appleImg and pearImg to be put into an html element called middleCell should a button be clicked and based off a value of an input (input1). How can I make this work?

         <table border="1">
            <tr>
                <td>
                 <input id="input1">
                 <button id="leftButton" onclick="fruitTest();">Enter</button>
                </td>
                <td>
                    <p id="middleCell">Hello</p>
                </td>
                <td>
                 <button id= "clearButton" onclick="clearBox();">Clear</button>   
                </td>
            </tr>
        </table>
var appleImg = "<img src="https://codehs.com/uploads/afcd3bf7ea7baf3f7d571c6e24c352af">";
var pearImg = "<img src="https://codehs.com/uploads/e0c442f8c020685fc8016f15c2547f1e">";


// Add your JavaScript code bel
var middleCell = document.getElementById("middleCell");
function fruitTest(){
    var myInput = document.getElementById("input1");
    var inputValue = myInput.value;
    if (inputValue > 100){
       middleCell.innerHtml = appleImg;
    } else if (inputValue < 0){
        middleCell.innerHtml = pearImg;
    }
} 
function clearBox (){
    middleCell.innerHtml = "";
}

I wanted the value of the middleCell to show the images based of what was entered. When 101 is enetered and button clicked, the appkle image should show up.

Also, when clicking clear, the middleCell shoould be clear. Please help!

Migration of created-react-app to vite.js resulted in Crbug/1173575 error

I tried migrating my React app, which was created using create-react-app, to use Vite. I followed a variety of sources of guidance, including this.

But now when I try running npm run start, I get this strange error in the devtools console. Any idea what would be causing this?

crbug/1173575, non-JS module files deprecated.
(anonymous) @ VM10:161

I looked at all the suggestions here and none of them seemed to help in my particular situation. For example, no launch.json file was created; and the DevTools Network tab already shows No throttling.

Another clue is that when I click on VM10:161, I see the contents of a script VM10, which contains a js class called loadTimeData.

Browser “Not allowed to load local (temporary) resource”

I am developing an app in ASP.net Core MVC and am using Javascript for the connection between SignalR and the front-end. I want to take the sentence in a textbox, send that sentence to the back-end which will transform that sentence into TTs in the form of a temporary file and then attach that file to an <audio> element.

<script>
const connection = new signalR.HubConnectionBuilder().withUrl("/SandboxHub").build();

connection.start().catch(err => console.error(err));

$("#sentence-input").on("input", async function () {
    const sentence = $(this).val();

    await connection.invoke("TransformIntoTTS", sentence);

    connection.on("ReceiveFile", function (fileUrl) {
        
        $("#audio-player").attr("src", fileUrl);
        
        const audioPlayer = document.getElementById("audio-player");
        audioPlayer.load();
    });
});

My sandbox hub:

    public class SandboxHub : Hub
{
    public async Task TransformIntoTTS(string sentence)
    {
        string filePath = await TTSConverter.SaveTTSAsTemporaryFileUSAsync(sentence);

        await Clients.Caller.SendAsync("ReceiveFile", filePath);
    }
}

Important logic:

var tempFile = Path.GetTempFileName();
                    using (var fileStream = new FileStream(tempFile, FileMode.Create, FileAccess.Write))
                    {
                        await fileStream.WriteAsync(result.AudioData);
                    }

            
                    return Path.GetFileName(tempFile);

What should I do?