Snippets Collections
def maddest(d, axis=None):
    return np.mean(np.absolute(d - np.mean(d, axis)), axis)

def denoise_signal(x, wavelet='db4', level=1):
    coeff = pywt.wavedec(x, wavelet, mode="per")
    sigma = (1/0.6745) * maddest(coeff[-level])

    uthresh = sigma * np.sqrt(2*np.log(len(x)))
    coeff[1:] = (pywt.threshold(i, value=uthresh, mode='hard') for i in coeff[1:])

    return pywt.waverec(coeff, wavelet, mode='per')
<script src="https://cdn.jsdelivr.net/npm/chart.js"></script>

   <script>
        function createChart(data) {
            const ctx = document.getElementById('myChart');
            new Chart(ctx, {
                type: 'bar',
                data: {
                    labels: data.labels,
                    datasets: [{
                        label: data.label,
                        data: data.data1,
                       backgroundColor: '#003f5c ',
                        borderWidth: 2
                    },
                          {
                        label: '# of Views',
                        data: data.data2,
                       backgroundColor: '#ff6e54 ',
                        borderWidth: 3
                    }    
                              
                              ]
                },
                options: {
                    scales: {
                        y: {
                            beginAtZero: true
                        }
                    }
                }
            });
        }
    </script>
/////////////////////////////////////////////////////////////////////////////////////////
//For CarApplication.java
//////////////////////////////////////////////////////////////////////////////////////////

public class CarApplication{
	public static void main(String[] args){
		
		//Create Car1 and Add values with constructor 
		Car car1 = new Car("CIVIC","2024", 7500000);
		
		//Create Car2 and Add values with constructor
		Car car2 = new Car("SWIFT","2019", 4500000);
		
		
		System.out.println("\nCar1\n");
		//Print car1 value before discount
		System.out.println("Model of Car1 = "+car1.getModel());
		System.out.println("Year of Car1 = "+car1.getYear());
		System.out.println("Price of Car1 = "+car1.getPrice()+"\n");
		
		
		car1.setDiscount(5);
		
		System.out.println("After 5% Discount");
		
		
		//Print car1 value after discount
		System.out.println("Price of Car1 = "+car1.getPrice()+"\n");
		
		
		System.out.println("Car2\n");
		
		
		//Print car1 value before discount
		System.out.println("Name of Car2 = "+car2.getModel());
		System.out.println("Year of Car2 = "+car2.getYear());
		System.out.println("Price of Car2 = "+car2.getPrice()+"\n");
		
		car2.setDiscount(7);
		
		System.out.println("After 5% Discount");
		
		//Print car1 value after discount
		System.out.println("Price of Car2 = "+car2.getPrice()+"\n");
		
		System.out.println("Numbers of Cars = "+Car.carno);
		
				
	}	
}

//////////////////////////////////////////////////////////////////////////////////////////
// FOr Car.java
//////////////////////////////////////////////////////////////////////////////////////////

public class Car{
	private String model;
	private String year;
	private double price;
	public static int carno=0;
	
	public Car(String model , String year, double price){
		setModel(model);
		setYear(year);
		setPrice(price);
		carno++;
	}
	
	public void setModel(String model){
		this.model = model;
	}
	
	public void setYear(String year){
		this.year = year;
	}
	
	public void setPrice(double price){
		if(price>0){
			this.price = price;
		}
	}
	
	public String getModel(){
		return this.model;
	}
	
	public String getYear(){
		return this.year;
	}
	
	public double getPrice(){
		return this.price;
	}
	
	public void setDis count(double discount){
		this.price =this.price - ((discount*this.price)/100);
	}
		
}

///////////////////////////////////////////////////////////////////////////////////////////
//For RectangleTest.java
///////////////////////////////////////////////////////////////////////////////////////////

public class RectangleTest{
	public static void main(String [] args){
		
		//Create rectangle1 object
		Rectangle rectangle1 = new Rectangle ();
		rectangle1.setLength(2);
		rectangle1.setWidth(4);
		
		//Print Object 1 values and method
		System.out.println("Length of Rectangle1 = "+ rectangle1.getLength());
		System.out.println("Width of Rectangle1 = "+rectangle1.getWidth());
		System.out.println("Area of Rectangle1 = "+rectangle1.getArea());
		System.out.println("Perimeter of Rectangle1 = "+rectangle1.getPerimeter());
		System.out.println();
		
		//Create rectangle2 object
		Rectangle rectangle2 = new Rectangle ();
		rectangle2.setLength(4);
		rectangle2.setWidth(6);
		
		//Print Object 2 values and method
		System.out.println("Length of Rectangle1 = "+ rectangle2.getLength());
		System.out.println("Width of Rectangle1 = "+rectangle2.getWidth());
		System.out.println("Area of Rectangle1 = "+rectangle2.getArea());
		System.out.println("Perimeter of Rectangle1 = "+rectangle2.getPerimeter());
		
		
	}
}

///////////////////////////////////////////////////////////////////////////////////////////
//For Rectangle.java
///////////////////////////////////////////////////////////////////////////////////////////


public class Rectangle{
	private double length;
	private double width;
	
	public void setLength(double length){
		this.length = length;
	}
	
	public void setWidth(double width){
		this.width = width;
	}
	
	public double getLength(){
		return length;
	}
	
	public double getWidth(){
		return width;
	}
	
	public double getArea(){
		return length * width;
	}
	
	public double getPerimeter(){
		return 2*(length + width);
	}
	
}

sudo apt update
sudo apt install mysql-server
sudo mysql -u root -p
ALTER USER 'root'@'localhost' IDENTIFIED WITH mysql_native_password BY 'new_password';
FLUSH PRIVILEGES;
exit;
// Online C compiler to run C program online
#include <stdio.h>

int main() 
{
    int num[3][4];
    int i, j, total=0, average=0;
    int copynum[3][4];
    
printf("Enter 12 numbers:");
//Enter 12 numbers and Print the sum and average
for(i=0; i<=2; i++)
{
    for(j=0; j<=3; j++)
    {
    scanf("%d", &num[i][j]);
    total=total+num[i][j];
    copynum[i][j]=num[i][j];
    }
}
average=total/12;
printf("The sum is %d\n", total);
printf("The average is %d\n", average);

//Print 12 numbers
printf("The 12 integers are:\n");
for(i=0; i<=2; i++)
{
    for(j=0; j<=3; j++)
    printf("%5d", num[i][j]);
    printf("\n");
}
//Display Odd numbers
printf("Odd numbers: ");
for(i=0; i<=2; i++)
{
    for(j=0; j<=3; j++)
    if(num[i][j]%2==1)
    printf("%d  ", num[i][j]);
}
                printf("\n");
//Display Even numbers
printf("Even numbers: ");
for(i=0; i<=2; i++)
{
    for(j=0; j<=3; j++)
    if(num[i][j]%2==0)
    printf("%d  ", num[i][j]);
}
            printf("\n");
//Display the smallest
int small=num[0][0];
for(i=0; i<=2; i++)
    for(j=0; j<=3; j++)
    {
        if(num[i][j] < small)
        small=num[i][j];
    }
printf("The smallest number is: %d", small);
                printf("\n");
//Display the biggest
int big=num[0][0];
for(i=0; i<=2; i++)
    for(j=0; j<=3; j++)
    {
        if(num[i][j] > big)
        big=num[i][j];
    }
printf("The biggest number is: %d", big);
            printf("\n");
 //Display contents of array in reverse order
 printf("The 12 integers in reverse:\n");
for(i=2; i>=0; i--)
{
    for(j=3; j>=0; j--)
    printf("%5d", num[i][j]);
    printf("\n");
}
//Copying a two-dimensional array into another
printf("Copy of Two-Dimensional Array to new Array:");
for(i=0; i<=2; i++)
{
    for(j=0; j<=3; j++)
       printf("%5d", copynum[i][j]);
       printf("\n");
}
   


    return 0;
}
<?php
function testi_loop()
{
    $arg = array(
        'post_type' => 'testimonial',
        'posts_per_page' => -1,
    );
    $testiPost = new WP_Query($arg);

    if ($testiPost->have_posts()): ?>
        <div class="testiWrapper">
            <div class="swiper testimonialsChild">
                <div class="swiper-wrapper">
                    <?php while ($testiPost->have_posts()):
                        $testiPost->the_post();
                        $url = wp_get_attachment_url(get_post_thumbnail_id($testiPost->ID)); ?>
                        <div class="swiper-slide singleTesti">
                            <div class="row">
                                <div class="col-md-8">
                                    <div class="testiReview-areaWrapper">
                                        <div class="testiReview-area">
                                            <h4>
                                                <?php the_title(); ?>
                                            </h4>
                                            <?php the_content(); ?>
                                            <div class="testi-chat-img">
                                                <img src="<?php the_field('testimonial_chatimg'); ?>" alt="profile">
                                            </div>
                                        </div>
                                    </div>
                                </div>
                                <div class="col-md-4">
                                    <div class="profileArea">
                                        <div class="profileImgWrapper">
                                            <img src="<?php echo $url; ?>" alt="profile">
                                        </div>
                                        <div class="authortesti">
                                            <h6>
                                                <?php the_field('client_name'); ?>
                                            </h6>
                                        </div>
                                    </div>
                                </div>
                            </div>
                        </div>
                    <?php endwhile; ?>
                </div>
                <div class="swiper-pagination"></div>
            </div>
        </div>
    <?php endif;
    wp_reset_postdata();
}
add_shortcode('testi', 'testi_loop');
?>

<?php
function team_loop()
{
    $arg = array(
        'post_type' => 'team',
        'posts_per_page' => -1,
    );
    $teamPost = new WP_Query($arg);

    if ($teamPost->have_posts()): ?>
        <div class="swiper teamswiper">
            <div class="swiper-wrapper">
                <?php while ($teamPost->have_posts()):
                    $teamPost->the_post();
                    $url = wp_get_attachment_url(get_post_thumbnail_id($teamPost->ID)); ?>
                    <div class="swiper-slide">
                        <img src="<?php echo $url; ?>" alt="">
                        <div class="team-content">
                            <div class="team-social-wrapp">
                                <div class="team-social">
                                    <div class="share"><i class="fa-solid fa-share-nodes"></i></div>
                                    <div class="team-social-icons">
                                        <a><i class="fa-brands fa-facebook-f"></i></a>
                                        <a><i class="fa-brands fa-twitter"></i></a>
                                        <a><i class="fa-brands fa-linkedin-in"></i></a>
                                        <a><i class="fa-brands fa-square-instagram"></i></a>
                                    </div>
                                </div>
                            </div>
                            <h3>
                                <?php the_title(); ?>
                            </h3>
                            <?php the_content(); ?>
                        </div>
                    </div>
                <?php endwhile; ?>
            </div>
        </div>
    <?php endif;
    wp_reset_postdata();
}
add_shortcode('team', 'team_loop');
?>


<?php
function blog_loop()
{
    $arg = array(
        'post_type' => 'post',
        'posts_per_page' => 3,
    );
    $blogPost = new WP_Query($arg);

    ?>
    <div class="blog-card-sec">
        <div class="row">
            <?php if ($blogPost->have_posts()): ?>
                <?php while ($blogPost->have_posts()): ?>
                    <?php $blogPost->the_post();
                    $url = wp_get_attachment_url(get_post_thumbnail_id($blogPost->ID)); ?>
                    <div class="col-md-4">
                        <div class="blogcard">
                            <img src="<?php echo $url ?>" alt="" width="100%" class="blogcard-img">
                            <div class="blog-card-wrapper">
                                <div class="blog-inner">
                                    <div class="blog-status">
                                        <div class="blog-status-img">
                                            <img src="<?php echo get_template_directory_uri(); ?>/images/Content/calendar.png"
                                                alt="">
                                        </div>
                                        <h6>
                                            <?php the_time('j F, Y'); ?>
                                        </h6>
                                    </div>
                                    <div class="blog-status">
                                        <div class="blog-status-img">
                                            <img src="<?php echo get_template_directory_uri(); ?>/images/Content/user.png" alt="">
                                        </div>
                                        <h6>
                                            <?php the_author(); ?>
                                        </h6>
                                    </div>
                                </div>
                                <div class="blog-card-content">
                                    <?php $title = get_the_title();
                                    ?>
                                    <h3><a href="<?php the_permalink(); ?>">
                                            <?php echo substr($title, 0, 34); ?>
                                        </a></h3>
                                    <?php $content = get_the_content();
                                    ?>
                                    <div class="post-content">
                                        <p>
                                            <?php echo substr($content, 0, 108); ?>
                                        </p>
                                    </div>
                                    <a href="<?php the_permalink(); ?>">Read More</a>
                                </div>
                            </div>
                        </div>
                    </div>
                <?php endwhile; ?>
            <?php endif; ?>
        </div>
    </div>

    <?php
    wp_reset_postdata();
}
add_shortcode('blogAll', 'blog_loop');
?>

<?php
function posta_loop()
{
    $paged = (get_query_var('paged')) ? get_query_var('paged') : 1;
    $arg = array(
        'post_type' => 'post',
        'posts_per_page' => 4,
        'paged' => $paged
    );
    $blogPost = new WP_Query($arg);
    ?>
    <div id="mainBlog" class="blog-left">
        <?php if ($blogPost->have_posts()): ?>
            <?php while ($blogPost->have_posts()): ?>
                <?php $blogPost->the_post();
                $content = get_the_content();
                ?>
                <div class="single-blog-box">
                    <img src="<?php the_post_thumbnail_url('full'); ?>" alt="" width="100%" class="single-img">
                    <div class="single-blog-cont">
                        <div class="blog-authors">
                            <div class="blog-authors-inner">
                                <div class="blog-authors-icons">
                                    <img src="<?php echo get_template_directory_uri(); ?>/images/blog/user.png" alt="">
                                </div>
                                <h6>
                                    <?php the_author(); ?>
                                </h6>
                            </div>
                            <div class="blog-authors-inner">
                                <div class="blog-authors-icons">
                                    <img src="<?php echo get_template_directory_uri(); ?>/images/blog/chat.png" alt="">
                                </div>
                                <h6>
                                    <?php the_time('j F, Y'); ?>
                                </h6>
                            </div>
                            <div class="blog-authors-inner">
                                <div class="blog-authors-icons">
                                    <img src="<?php echo get_template_directory_uri(); ?>/images/blog/calendar.png" alt="">
                                </div>
                                <h6>No Comments</h6>
                            </div>
                        </div>
                        <h3>
                            <?php the_title(); ?>
                        </h3>
                        <?php $content = get_the_content();
                        ?>
                        <p>
                            <?php echo substr($content, 0, 308); ?>
                        </p>
                        <a href="<?php the_permalink(); ?>">Read More</a>
                    </div>
                </div>
            <?php endwhile; ?>
            <?php
            $big = 99;

            echo '<div class="pagination">';

            echo paginate_links(
                array(
                    'base' => str_replace($big, '%#%', esc_url(get_pagenum_link($big))),
                    'format' => '?paged=%#%',
                    'current' => max(1, get_query_var('paged')),
                    'total' => $blogPost->max_num_pages,
                    'show_all' => false,
                    'prev_next' => false,
                    'before_page_number' => '0',
                    'prev_text' => __('Previous'),
                    'next_text' => __('Next'),
                    'type' => 'list',
                    'mid_size' => 2
                )
            );
            $next_link = get_next_posts_link('Next Page', $blogPost->max_num_pages);
            if ($next_link) {
                echo '<button>' . $next_link . '</button>';
            }

            echo '</div>';
            ?>
        <?php endif; ?>
    </div>
    <?php
    wp_reset_postdata();
}
add_shortcode('allBlogsss', 'posta_loop');
?>

<?php

function dynamic_categories_shortcode()
{
    ob_start();

    $categories = get_categories(
        array(
            'taxonomy' => 'category',
            'object_type' => array('post', 'blogPost'),
        )
    );

    if ($categories) {
        echo '<div class="categories">';
        echo '<h4>Categories</h4>';
        echo '<ul>';
        foreach ($categories as $category) {
            echo '<li><a href="' . esc_url(get_category_link($category->term_id)) . '">' . esc_html($category->name) . '</a></li>';
        }
        echo '</ul>';
        echo '</div>';
    }

    $output = ob_get_clean();
    return $output;
}
add_shortcode('dynamicCategories', 'dynamic_categories_shortcode');
?>


<?php
function faq_loop()
{
    $args = array(
        'post_type' => 'faq',
        'posts_per_page' => -1,
    );
    $faq_posts = new WP_Query($args);
    if ($faq_posts->have_posts()): ?>
        <div class="row">
            <div class="col-md-6">
                <div class="accordion" id="accordionLeft">
                    <?php $count = 0; ?>
                    <?php while ($faq_posts->have_posts() && $count < 4):
                        $faq_posts->the_post(); ?>
                        <div class="accordion-item">
                            <h2 class="accordion-header" id="heading-<?php the_ID(); ?>">
                                <button class="accordion-button<?php echo ($count === 0) ? '' : ' collapsed'; ?>" type="button"
                                    data-bs-toggle="collapse" data-bs-target="#collapse-<?php the_ID(); ?>"
                                    aria-expanded="<?php echo ($count === 0) ? 'true' : 'false'; ?>"
                                    aria-controls="collapse-<?php the_ID(); ?>">
                                    <?php the_title(); ?>
                                </button>
                            </h2>
                            <div id="collapse-<?php the_ID(); ?>" class="accordion-collapse collapse<?php if ($count === 0)
                                  echo ' show'; ?>" aria-labelledby="heading-<?php the_ID(); ?>"
                                data-bs-parent="#accordionRight">
                                <div class="accordion-body">
                                    <?php the_content(); ?>
                                </div>
                            </div>
                        </div>
                        <?php $count++; ?>
                    <?php endwhile; ?>
                </div>
            </div>
            <div class="col-md-6">
                <div class="accordion" id="accordionRight">
                    <?php while ($faq_posts->have_posts()):
                        $faq_posts->the_post(); ?>
                        <div class="accordion-item">
                            <h2 class="accordion-header" id="heading-<?php the_ID(); ?>">
                                <button class="accordion-button collapsed" type="button" data-bs-toggle="collapse"
                                    data-bs-target="#collapse-<?php the_ID(); ?>" aria-expanded="false"
                                    aria-controls="collapse-<?php the_ID(); ?>">
                                    <?php the_title(); ?>
                                </button>
                            </h2>
                            <div id="collapse-<?php the_ID(); ?>" class="accordion-collapse collapse"
                                aria-labelledby="heading-<?php the_ID(); ?>" data-bs-parent="#accordionRight">
                                <div class="accordion-body">
                                    <?php the_content(); ?>
                                </div>
                            </div>
                        </div>
                    <?php endwhile; ?>
                </div>
            </div>
        </div>
    <?php endif;
    wp_reset_postdata();
}
add_shortcode('faq', 'faq_loop');
?>


<?php
function generate_tab_navigation()
{
    $args = array('post_type' => 'casestudie', 'posts_per_page' => -1);
    $casestudiePost = new WP_Query($args);
    if ($casestudiePost->have_posts()): ?>
        <div class="project-tabs-wrapper">
            <ul class="nav nav-pills mb-3" id="pills-tab" role="tablist">
                <?php
                $nav_counter = 1;
                while ($casestudiePost->have_posts()):
                    $casestudiePost->the_post(); ?>

                    <li class="nav-item" role="presentation">
                        <button class="nav-link <?php echo ($nav_counter === 1) ? 'active' : ''; ?>"
                            id="pills-home-tab-<?php echo $nav_counter; ?>-tab" data-bs-toggle="pill"
                            data-bs-target="#pills-home-<?php echo $nav_counter; ?>" type="button" role="tab"
                            aria-controls="pills-home-<?php echo $nav_counter; ?>"
                            aria-selected="<?php echo ($nav_counter === 1) ? 'true' : 'false'; ?>">
                            <?php the_title(); ?>
                        </button>
                    </li>
                    <?php $nav_counter++;
                endwhile; ?>
            </ul>
        </div>

        <?php
    endif;
    wp_reset_postdata();
}


function generate_tab_content()
{
    $args = array('post_type' => 'casestudie', 'posts_per_page' => -1);
    $casestudiePost = new WP_Query($args);
    if ($casestudiePost->have_posts()): ?>
        <div class="verticl-tab-cont">
            <div class="tab-content" id="v-pills-tabContent">
                <?php
                $content_counter = 1;
                while ($casestudiePost->have_posts()):
                    $casestudiePost->the_post(); ?>
                    <div class="tab-pane fade <?php echo ($content_counter === 1) ? 'show active' : ''; ?>"
                        id="pills-home-<?php echo $content_counter; ?>" role="tabpanel"
                        aria-labelledby="pills-home-tab-<?php echo $content_counter; ?>-tab">
                        <div class="tabs-content-wrapper">
                            <div class="row">
                                <?php
                                $repeatcont = get_field('caserepeaters');
                                foreach ($repeatcont as $repeatcase) { ?>
                                    <div class="col-md-6">
                                        <div class="single-project-card">
                                            <img src="<?php echo $repeatcase['casetabs_img'] ?>">
                                            <div class="project-card-cont">
                                                <div class="projectcard-tittle">
                                                    <h3>
                                                        <?php echo $repeatcase['casetabs_tittle'] ?>
                                                    </h3>
                                                    <h6>
                                                        <?php echo $repeatcase['casetabs_date'] ?>
                                                    </h6>
                                                </div>
                                                <?php echo $repeatcase['casetab_para'] ?>
                                            </div>
                                        </div>
                                    </div>
                                    <?php
                                } ?>
                            </div>
                        </div>
                    </div>
                    <?php $content_counter++;
                endwhile; ?>
            </div>
        </div>
        <?php
    endif;
    wp_reset_postdata();
}

function casestudies_tab_navigation_shortcode()
{
    ob_start();
    generate_tab_navigation();
    return ob_get_clean();
}
add_shortcode('casestudies_tabs', 'casestudies_tab_navigation_shortcode');

function casestudies_tab_content_shortcode()
{
    ob_start();
    generate_tab_content();
    return ob_get_clean();
}
add_shortcode('casestudies_content', 'casestudies_tab_content_shortcode');
?>





<?php
function ecommerceguru_shortcode()
{
    ob_start();
    ?>
    <div class="swiper GameGurruswiper">
        <div class="swiper-wrapper">
            <?php
            $arg = array(
                'post_type' => 'gamingguru',
                'posts_per_page' => -1,
            );
            $gamingguruPost = new WP_Query($arg);

            if ($gamingguruPost->have_posts()):
                while ($gamingguruPost->have_posts()):
                    $gamingguruPost->the_post();
                    ?>
                    <div class="swiper-slide">
                        <div class="gaminggurruTabsWrapper">
                            <div class="gaminggurruTabs-btn">
                                <div class="nav nav-tabs" id="gaminggurruTabs<?php echo get_the_ID(); ?>" role="tablist">
                                    <button class="nav-link active" id="nav-home<?php echo get_the_ID(); ?>-tab"
                                        data-bs-toggle="tab" data-bs-target="#nav-home<?php echo get_the_ID(); ?>" type="button"
                                        role="tab" aria-controls="nav-home<?php echo get_the_ID(); ?>" aria-selected="true">
                                        <img src="<?php echo get_field('first_profile_tabimg'); ?>" alt="">
                                    </button>
                                    <button class="nav-link" id="nav-home2<?php echo get_the_ID(); ?>-tab" data-bs-toggle="tab"
                                        data-bs-target="#nav-home2<?php echo get_the_ID(); ?>" type="button" role="tab"
                                        aria-controls="nav-home2<?php echo get_the_ID(); ?>" aria-selected="false">
                                        <img src="<?php echo get_field('caseprofile_tabimg'); ?>" alt="">
                                    </button>
                                </div>
                            </div>
                            <div class="tab-content" id="nav-tabContent">
                                <div class="tab-pane fade show active" id="nav-home<?php echo get_the_ID(); ?>" role="tabpanel"
                                    aria-labelledby="nav-home<?php echo get_the_ID(); ?>-tab">
                                    <div class="row">
                                        <div class="col-md-4">
                                            <div class="gameGurru-profileImg">
                                                <img src="<?php echo get_field('firstprof_mainimg'); ?>" alt="">
                                            </div>
                                        </div>
                                        <div class="col-md-8">
                                            <div class="gameGurruTabs-contentWrapper">
                                                <div class="singleGameGurru">
                                                    <h2>
                                                        <?php echo get_field('first_profiletittle'); ?>
                                                    </h2>
                                                    <h3>
                                                        <?php echo get_field('first_profilesubtittle'); ?>
                                                    </h3>
                                                </div>
                                                <div class="gameGurrulLabels">
                                                    <ul>
                                                        <?php
                                                        $firstprofi = get_field('firstprofileboxes');
                                                        foreach ($firstprofi as $firstprofi): ?>
                                                            <li>
                                                                <p>
                                                                    <?php echo $firstprofi['firstprofileboxes_subtittle']; ?>
                                                                </p>
                                                                <h6>
                                                                    <?php echo $firstprofi['firstprofileboxes_tittle']; ?>
                                                                </h6>
                                                            </li>
                                                        <?php endforeach; ?>
                                                    </ul>
                                                </div>
                                                <h4>
                                                    <?php echo get_field('linkedin_head'); ?>
                                                </h4>
                                                <?php echo get_field('linkedin_para'); ?>
                                                <div class="gameGurrulButtonWrapper">
                                                    <a href="<?php echo get_field('firstprof_btnlink1'); ?>">
                                                        <?php echo get_field('firstprof_btntxt1'); ?>
                                                    </a>
                                                    <a href="<?php echo get_field('firstprof_btnlink2'); ?>">
                                                        <?php echo get_field('firstprof_btntxt2'); ?>
                                                    </a>
                                                </div>
                                            </div>
                                        </div>
                                    </div>
                                </div>
                                <div class="tab-pane fade" id="nav-home2<?php echo get_the_ID(); ?>" role="tabpanel"
                                    aria-labelledby="nav-home2<?php echo get_the_ID(); ?>-tab">
                                    <div class="row">
                                        <div class="col-md-4">
                                            <div class="gameGurru-profileImg">
                                                <img src="<?php echo get_field('caseprof_mainimg'); ?>" alt="">
                                            </div>
                                        </div>
                                        <div class="col-md-8">
                                            <div class="gameGurruTabs-contentWrapper">
                                                <div class="singleGameGurru">
                                                    <h2>
                                                        <?php echo get_field('caseprofile_tabtittle'); ?>
                                                    </h2>
                                                    <h3>
                                                        <?php echo get_field('caseprofile_tabsubtittle'); ?>
                                                    </h3>
                                                </div>
                                                <div class="gameGurrulLabels">
                                                    <ul>
                                                        <?php
                                                        $caseprofil = get_field('caseprofileboxes');
                                                        foreach ($caseprofil as $caseprofil): ?>
                                                            <li>
                                                                <p>
                                                                    <?php echo $caseprofil['caseprofileboxes_tittle']; ?>
                                                                </p>
                                                                <h6>
                                                                    <?php echo $caseprofil['caseprofileboxes_subtittle']; ?>
                                                                </h6>
                                                            </li>
                                                        <?php endforeach; ?>
                                                    </ul>
                                                </div>
                                                <h4>
                                                    <?php echo get_field('linkedin_head2'); ?>
                                                </h4>
                                                <?php echo get_field('linkedin_para2'); ?>
                                                <div class="gameGurrulButtonWrapper">
                                                    <a href="<?php echo get_field('caseprof_btnlink1'); ?>">
                                                        <?php echo get_field('caseprof_btntxt1'); ?>
                                                    </a>
                                                    <a href="<?php echo get_field('caseprof_btnlink2'); ?>">
                                                        <?php echo get_field('caseprof_btntxt2'); ?>
                                                    </a>
                                                </div>
                                            </div>
                                        </div>
                                    </div>
                                </div>
                            </div>
                        </div>
                    </div>
                    <?php
                endwhile;
                wp_reset_postdata();
            endif;
            ?>
        </div>
    </div>
    <?php
    return ob_get_clean();
}
add_shortcode('ecommerceguru', 'ecommerceguru_shortcode');
?>



<?php
function gamingguru_shortcode()
{
    ob_start();
    ?>
    <div class="swiper GameGurruswiper">
        <div class="swiper-wrapper">
            <?php
            $arg = array(
                'post_type' => 'gamingguru',
                'posts_per_page' => -1,
            );
            $gamingguruPost = new WP_Query($arg);

            if ($gamingguruPost->have_posts()):
                while ($gamingguruPost->have_posts()):
                    $gamingguruPost->the_post();
                    ?>
                    <div class="swiper-slide">
                        <div class="gaminggurruTabsWrapper">
                            <div class="gaminggurruTabs-btn">
                                <div class="nav nav-tabs" id="gaminggurruTabs<?php echo get_the_ID(); ?>" role="tablist">
                                    <button class="nav-link active" id="nav-home<?php echo get_the_ID(); ?>-tab"
                                        data-bs-toggle="tab" data-bs-target="#nav-home<?php echo get_the_ID(); ?>" type="button"
                                        role="tab" aria-controls="nav-home<?php echo get_the_ID(); ?>" aria-selected="true">
                                        <img src="<?php echo get_field('gamingnormalprofile_tabimg'); ?>" alt="">
                                    </button>
                                    <button class="nav-link" id="nav-home2<?php echo get_the_ID(); ?>-tab" data-bs-toggle="tab"
                                        data-bs-target="#nav-home2<?php echo get_the_ID(); ?>" type="button" role="tab"
                                        aria-controls="nav-home2<?php echo get_the_ID(); ?>" aria-selected="false">
                                        <img src="<?php echo get_field('gamingpersonalprofile_tabimg'); ?>" alt="">
                                    </button>
                                </div>
                            </div>
                            <div class="tab-content" id="nav-tabContent">
                                <div class="tab-pane fade show active" id="nav-home<?php echo get_the_ID(); ?>" role="tabpanel"
                                    aria-labelledby="nav-home<?php echo get_the_ID(); ?>-tab">
                                    <div class="row">
                                        <div class="col-md-4">
                                            <div class="gameGurru-profileImg">
                                                <img src="<?php echo get_field('gamingnormalprofile_mainimg'); ?>" alt="">
                                            </div>
                                        </div>
                                        <div class="col-md-8">
                                            <div class="gameGurruTabs-contentWrapper">
                                                <div class="singleGameGurru">
                                                    <h2>
                                                        <?php echo get_field('gamingnormalprofile_tabtittle'); ?>
                                                    </h2>
                                                    <h3>
                                                        <?php echo get_field('gamingnormalprofile_tabsubtittle'); ?>
                                                    </h3>
                                                </div>
                                                <div class="gameGurrulLabels">
                                                    <ul>
                                                        <?php
                                                        $gamingnormalprofilebox = get_field('gamingnormalprofileboxes');
                                                        foreach ($gamingnormalprofilebox as $gamingnormalprofilebox): ?>
                                                            <li>
                                                                <p>
                                                                    <?php echo $gamingnormalprofilebox['gamingnormalprofileboxes_tittle']; ?>
                                                                </p>
                                                                <h6>
                                                                    <?php echo $gamingnormalprofilebox['gamingnormalprofileboxes_subtittle']; ?>
                                                                </h6>
                                                            </li>
                                                        <?php endforeach; ?>
                                                    </ul>
                                                </div>
                                                <h4>
                                                    <?php echo get_field('gamingnormalprofile_linkedin_head'); ?>
                                                </h4>
                                                <?php echo get_field('gamingnormalprofile_linkedin_para'); ?>
                                                <div class="gameGurrulButtonWrapper">
                                                    <a href="<?php echo get_field('gamingnormalprofile_first_btnlink1'); ?>">
                                                        <?php echo get_field('gamingnormalprofile_firstprof_btntxt1'); ?>
                                                    </a>
                                                    <a href="<?php echo get_field('gamingnormalprofile_first_btnlink2'); ?>">
                                                        <?php echo get_field('gamingnormalprofile_firstprof_btntxt2'); ?>
                                                    </a>
                                                </div>
                                            </div>
                                        </div>
                                    </div>
                                </div>
                                <div class="tab-pane fade" id="nav-home2<?php echo get_the_ID(); ?>" role="tabpanel"
                                    aria-labelledby="nav-home2<?php echo get_the_ID(); ?>-tab">
                                    <div class="row">
                                        <div class="col-md-4">
                                            <div class="gameGurru-profileImg">
                                                <img src="<?php echo get_field('gamingpersonalprofileboxes_mainimg'); ?>" alt="">
                                            </div>
                                        </div>
                                        <div class="col-md-8">
                                            <div class="gameGurruTabs-contentWrapper">
                                                <div class="singleGameGurru">
                                                    <h2>
                                                        <?php echo get_field('gamingpersonalprofile_tabtittle'); ?>
                                                    </h2>
                                                    <h3>
                                                        <?php echo get_field('gamingpersonalprofile_tabsubtittle'); ?>
                                                    </h3>
                                                </div>
                                                <div class="gameGurrulLabels">
                                                    <ul>
                                                        <?php
                                                        $gamingpersonalprofilebox = get_field('gamingpersonalprofileboxes');
                                                        foreach ($gamingpersonalprofilebox as $gamingpersonalprofilebox): ?>
                                                            <li>
                                                                <p>
                                                                    <?php echo $gamingpersonalprofilebox['gamingpersonalprofileboxes_tittle']; ?>
                                                                </p>
                                                                <h6>
                                                                    <?php echo $gamingpersonalprofilebox['gamingpersonalprofileboxes_subtittle']; ?>
                                                                </h6>
                                                            </li>
                                                        <?php endforeach; ?>
                                                    </ul>
                                                </div>
                                                <h4>
                                                    <?php echo get_field('gamingpersonalprofile_linkdin_head'); ?>
                                                </h4>
                                                <?php echo get_field('gamingpersonalprofile_linkdin_para'); ?>
                                                <div class="gameGurrulButtonWrapper">
                                                    <a href="<?php echo get_field('gamingpersonalprofile_firstprof_btnlink1'); ?>">
                                                        <?php echo get_field('gamingpersonalprofile__firstprof_btntxt1'); ?>
                                                    </a>
                                                    <a href="<?php echo get_field('gamingpersonalprofile_firstprof_btnlink_2'); ?>">
                                                        <?php echo get_field('gamingpersonalprofile_firstprof_btntxt2'); ?>
                                                    </a>
                                                </div>
                                            </div>
                                        </div>
                                    </div>
                                </div>
                            </div>
                        </div>
                    </div>
                    <?php
                endwhile;
                wp_reset_postdata();
            endif;
            ?>
        </div>
    </div>
    <?php
    return ob_get_clean();
}
add_shortcode('gamingguru', 'gamingguru_shortcode');
?>


<?php


function generate_gamingtab_navigation()
{
    $args = array('post_type' => 'gamingtab', 'posts_per_page' => -1);
    $gamingtabPost = new WP_Query($args);
    if ($gamingtabPost->have_posts()): ?>
        <div class="gamegallery-tabs">
            <div class="nav flex-column nav-pills" id="v-pills-tab" role="tablist" aria-orientation="vertical">
                <?php
                $nav_counter = 1;
                while ($gamingtabPost->have_posts()):
                    $gamingtabPost->the_post(); ?>
                    <button class="nav-link" id="v-pills-<?php echo $nav_counter; ?>-tab" data-bs-toggle="pill"
                        data-bs-target="#v-pills-<?php echo $nav_counter; ?>" type="button" role="tab"
                        aria-controls="v-pills-<?php echo $nav_counter; ?>" aria-selected="true">
                        <div class="accordion" id="accordion-<?php echo $nav_counter; ?>">
                            <div class="accordion-item">
                                <h2 class="accordion-header" id="heading-<?php echo $nav_counter; ?>">
                                    <div class="accordion-button" type="button" data-bs-toggle="collapse"
                                        data-bs-target="#collapse-<?php echo $nav_counter; ?>"
                                        aria-expanded="<?php echo ($nav_counter == 1) ? 'true' : 'false'; ?>"
                                        aria-controls="collapse-<?php echo $nav_counter; ?>">
                                        <span>
                                            <?php the_title(); ?>
                                        </span>
                                    </div>
                                </h2>
                                <div id="collapse-<?php echo $nav_counter; ?>"
                                    class="accordion-collapse <?php echo ($nav_counter == 1) ? 'show' : 'collapse'; ?>"
                                    aria-labelledby="heading-<?php echo $nav_counter; ?>"
                                    data-bs-parent="#accordion-<?php echo $nav_counter; ?>">
                                    <div class="accordion-body">
                                        <?php
                                        $mainimagestabs_nav = get_field('mainimagestabs');
                                        if ($mainimagestabs_nav):
                                            foreach ($mainimagestabs_nav as $index => $mainimagestab): ?>
                                                <div
                                                    onclick="showImage('<?php echo $mainimagestab['main_images_tabs_id']; ?>', '<?php echo $mainimagestab['main_images_tab_img']; ?>')">
                                                    <span>
                                                        <?php echo $mainimagestab['main_images_tabs_tittle']; ?>
                                                    </span>
                                                </div>
                                            <?php endforeach;
                                        endif; ?>
                                    </div>
                                </div>
                            </div>
                        </div>
                    </button>
                    <?php $nav_counter++;
                endwhile; ?>
            </div>
        </div>
        <?php
    endif;
    wp_reset_postdata();
}

function gamingtab_tab_content()
{
    $args = array('post_type' => 'gamingtab', 'posts_per_page' => -1);
    $gamingtabPost = new WP_Query($args);
    if ($gamingtabPost->have_posts()): ?>
        <div class="tab-content" id="v-pills-tabContent">
            <?php
            $content_counter = 1;
            while ($gamingtabPost->have_posts()):
                $gamingtabPost->the_post(); ?>
                <div class="tab-pane fade <?php echo ($content_counter === 1) ? 'show active' : ''; ?>"
                    id="v-pills-<?php echo $content_counter; ?>" role="tabpanel"
                    aria-labelledby="v-pills-<?php echo $content_counter; ?>-tab">
                    <div class="main-tabcont-wrapper">
                    
                        <div class="gameimage-container">
                            <?php
                            $mainimagestabs_content = get_field('mainimagestabs');
                            if ($mainimagestabs_content):
                                foreach ($mainimagestabs_content as $index => $mainimagestab): ?>
                                    <?php if ($index === 0): ?>
                                        <div class="gameimage active" id="<?php echo $mainimagestab['main_images_tabs_id']; ?>">
                                            <img src="<?php echo $mainimagestab['main_images_tab_img']; ?>" alt="">
                                        </div>
                                    <?php else: ?>
                                        <div class="gameimage" id="<?php echo $mainimagestab['main_images_tabs_id']; ?>">
                                            <img src="<?php echo $mainimagestab['main_images_tab_img']; ?>" alt="">
                                        </div>
                                    <?php endif; ?>
                                <?php endforeach;
                            endif; ?>
                        </div>
                        <div class="gamestabs-uppercont">
                            <?php the_content(); ?>
                            <div class="gamestabs-imggrid">
                                <?php
                                $imageboxes = get_field('imageboxes');
                                foreach ($imageboxes as $imagebox): ?>
                                    <div class="gametabs-img active">
                                        <img src="<?php echo $imagebox['imageboxes_img']; ?>" alt="">
                                        <h4>
                                            <?php echo $imagebox['imageboxes_tittle']; ?>
                                        </h4>
                                    </div>
                                <?php endforeach; ?>
                            </div>
                        </div>
                    </div>
                </div>
                <?php $content_counter++;
            endwhile; ?>
        </div>
        <?php
    endif;
    wp_reset_postdata();
}





function generate_gamingtab_navigation_shortcode()
{
    ob_start();
    generate_gamingtab_navigation();
    return ob_get_clean();
}
add_shortcode('gamingtab_tabs', 'generate_gamingtab_navigation_shortcode');

function gamingtab_tab_content_shortcode()
{
    ob_start();
    gamingtab_tab_content();
    return ob_get_clean();
}
add_shortcode('gamingtab_content', 'gamingtab_tab_content_shortcode');

?>
a=int(input("enter a"))
b=int(input("enter b"))
c=int(input("enter c"))
if(a==0):
                print("quadratic does not exist")
else:
                d=b*b-4*a*c
                if(d>0):
                                x=(-b+sqrt(d))/2*a
                                y=(-b-sqrt(d))/2*a
                                print(x,y)
                elif(d==0):
                                    x=-b/(2*a)
                                    y=-b/(2*a)
                                    print(x,y)
                else:
                                    print("roots are imaginary")
p=int(input("inter p="))
x=0
n=2
while (n<p):
  if (p%n==0):
    x=1
  n=n+1
if (x==1):
  print("given number is not a prime number")
else:
  print("given number is a prime number")
import calmap

temp_df = df.groupby(["state_id", "date"])["value"].sum()
temp_df = temp_df.reset_index()
temp_df = temp_df.set_index("date")

fig, axs = plt.subplots(3, 1, figsize=(10, 10))
calmap.yearplot(temp_df.loc[temp_df["state_id"] == "CA", "value"], year=2015, ax=axs[0])
axs[0].set_title("CA")
calmap.yearplot(temp_df.loc[temp_df["state_id"] == "TX", "value"], year=2015, ax=axs[1])
axs[1].set_title("TX")
calmap.yearplot(temp_df.loc[temp_df["state_id"] == "WI", "value"], year=2015, ax=axs[2])
axs[2].set_title("WI")
main()
{
  int num[3][4];
  int i. j;
  int total=0, average=0;
  
  printf("Enter 12 numbers:");
  for(i=0; i<=2; i++)
    for(j=0; j<=3; j++)
      {
      scanf("%d", &num[i][j]);
 		 total=total+num[i][j];
      }
  average=total/12;
  
  //display the content of the array
  for(i=0; i<=2; i++)
    for(j=0; j<=3; j++)
      printf("%d", num[i][j]);
  printf("\n");
  
  //display odd numbers
  printf("The odd numbers are:")
  for(i=0; i<=2; i++)
    {
    for(j=0; j<=3; j++)
      if(num[i][j]%2==1)
        printf("%d", num[i][j]);
    }
  
}
import { getMessaging, onBackgroundMessage } from "firebase/messaging/sw"; // note: we MUST use the sw version of the messaging API and NOT the one from "firebase/messaging"
import { getToken } from "firebase/messaging";
import { initializeApp } from "firebase/app";

const firebase = initializeApp({
  // your Firebase config here
});

chrome.runtime.onInstalled.addListener(async () => {
  const token = await getToken(getMessaging(), {
    serviceWorkerRegistration: self.registration, // note: we use the sw of ourself to register with
  });

  // Now pass this token to your server and use it to send push notifications to this user
});

onBackgroundMessage(getMessaging(firebase), async (payload) => {
  console.log(`Huzzah! A Message.`, payload);

  // Note: you will need to open a notification here or the browser will do it for you.. something, something, security
});
html {
  font-size: 100%;
  line-height: 1.5;
}

main {
  padding: 1rlh; /* 🫶 */
}
Buy mind warp strain cake Disposable
https://darkwebmarketbuyer.com/product/mind-warp-cake-disposable/
Buy Cake Carts Mind Warp - Mind Warp Cake Disposable
Cake carts Mind Warp. A cake delta 8 carts to get you out of your melancholy night!

Mind Warp is a Sativa ruling half-breed (70% Sativa/30% Indica) cartridge with a name that sounds like a fast entertainment ride. This strong cartridge is famous for its mind-dissolving powers, which may rapidly end up being a lot for unpracticed clients, and is energized by a THC content as high as 89-95%. Some might be misdirected by the sensitive fragrance of this bud, which has a strong extravagant, natural pine smell. You’ll detect the force of this cartridge when you taste it, so it’s ideally suited for hauling the individual out of the desolate night.
 <div class="col-md-6">
                <div class="accordion" id="accordionLeft">
                    <?php $count = 0; ?>
                    <?php while ($faq_posts->have_posts() && $count < 4):
                        $faq_posts->the_post(); ?>
<div class="accordion-item">
    <h2 class="accordion-header" id="heading-<?php the_ID(); ?>">
        <button class="accordion-button<?php echo ($count === 0) ? '' : ' collapsed'; ?>" type="button" data-bs-toggle="collapse"
            data-bs-target="#collapse-<?php the_ID(); ?>" aria-expanded="<?php echo ($count === 0) ? 'true' : 'false'; ?>"
            aria-controls="collapse-<?php the_ID(); ?>">
            <?php the_title(); ?>
        </button>
    </h2>
    <div id="collapse-<?php the_ID(); ?>" class="accordion-collapse collapse<?php if ($count === 0) echo ' show'; ?>"
        aria-labelledby="heading-<?php the_ID(); ?>" data-bs-parent="#accordionRight">
        <div class="accordion-body">
            <?php the_content(); ?>
        </div>
    </div>
</div>
                        <?php $count++; ?>
                    <?php endwhile; ?>
                </div>
            </div>
$numericArray = array("Apple", "Banana", "Orange");

$i = 0;
do {
    echo $numericArray[$i] . "<br>";
    $i++;
} while ($i < count($numericArray));
$numericArray = array("Apple", "Banana", "Orange");

$i = 0;
while ($i < count($numericArray)) {
    echo $numericArray[$i] . "<br>";
    $i++;
}
$assocArray = array("name" => "John", "age" => 25, "city" => "New York");

foreach ($assocArray as $key => $value) {
    echo "$key: $value <br>";
}
$numericArray = array("Apple", "Banana", "Orange");

foreach ($numericArray as $value) {
    echo $value . "<br>";
}
$numericArray = array("Apple", "Banana", "Orange");

for ($i = 0; $i < count($numericArray); $i++) {
    echo $numericArray[$i] . "<br>";
}
[DataContractAttribute]
public class NW_POConfirmationContract
{
    str 25            RequestID;
    TransDate         RequestDate;
    PurchIdBase       PurchaseOrder;
    PurchRFQCaseId    RFQId;
    PurchReqId        PurchReqId;
    Email             Email;
    str 200           SubjectOrProjectTitle;
    str               PoReport;
    EcoResProductType ProductType;
    VendAccount       Supplier;
    DlvDate           DeliveryDate;
    NW_Attachement    Attachment;
    List              Lines;

    [DataMemberAttribute('RequestID')]
    public str ParmRequestID(str _RequestID = RequestID)
    {
        RequestID = _RequestID;
        return RequestID;
    }

    [DataMemberAttribute('RequestDate')]
    public TransDate ParmRequestDate(TransDate _RequestDate = RequestDate)
    {
        RequestDate = _RequestDate;
        return RequestDate;
    }

    [DataMemberAttribute('PurchaseOrder')]
    public PurchIdBase ParmPurchaseOrder(PurchIdBase _PurchaseOrder = PurchaseOrder)
    {
        PurchaseOrder = _PurchaseOrder;
        return PurchaseOrder;
    }

    [DataMemberAttribute('RFQId')]
    public PurchRFQCaseId ParmRFQId(PurchRFQCaseId _RFQId = RFQId)
    {
        RFQId = _RFQId;
        return RFQId;
    }

    [DataMemberAttribute('OfficialContactEmail')]
    public Email ParmOfficialContactEmail(Email _Email = Email)
    {
        Email = _Email;
        return Email;
    }

    [DataMemberAttribute('PurchReqId')]
    public PurchReqId ParmPurchReqId(PurchReqId _PurchReqId = PurchReqId)
    {
        PurchReqId = _PurchReqId;
        return PurchReqId;
    }

    [DataMemberAttribute('SubjectOrProjectTitle')]
    public str ParmSubjectOrProjectTitle(str _SubjectOrProjectTitle = SubjectOrProjectTitle)
    {
        SubjectOrProjectTitle = _SubjectOrProjectTitle;
        return SubjectOrProjectTitle;
    }

    [DataMemberAttribute('ProductType')]
    public EcoResProductType ParmProductType(EcoResProductType _ProductType = ProductType)
    {
        ProductType = _ProductType;
        return ProductType;
    }

    [DataMemberAttribute('Supplier')]
    public VendAccount ParmSupplier(VendAccount _Supplier = Supplier)
    {
        Supplier = _Supplier;
        return Supplier;
    }

    [DataMemberAttribute('DeliveryDate')]
    public DlvDate ParmDeliveryDate(DlvDate _DeliveryDate = DeliveryDate)
    {
        DeliveryDate = _DeliveryDate;
        return DeliveryDate;
    }

    [DataMemberAttribute('POReport')]
    public str ParmPoReport(str _PoReport = PoReport)
    {
        PoReport = _PoReport;
        return PoReport;
    }

    [DataMemberAttribute('Attachment')]
    public NW_Attachement ParmAttachment(NW_Attachement _Attachment = Attachment)
    {
        Attachment = _Attachment;
        return Attachment;
    }

    [DataMemberAttribute('Lines') , 
        AifCollectionType('Lines',Types::Class , classStr(NW_POConfirmationLinesContract))]
    public List ParmLines(List _Lines = Lines)
    {
        Lines = _Lines;
        return Lines;
    }

}

//---------------
 [AifCollectionTypeAttribute('return' , Types::Class , classStr(NW_POConfirmationContract))]
    public list GetPOConfirmation()
    {
        NW_POConfirmationHeader NW_POConfirmationHeader;
        NW_POConfirmationLines  NW_POConfirmationLines;
        List HeaderList;
        List LinesList;
        NW_POConfirmationContract       POContractRequest;
        NW_Attachement                  NW_Attachement;
        NW_POConfirmationLinesContract  POContractLines;

        List errors = new List(Types::String);
        HeaderList = new List(Types::Class);
        changecompany('SHC')
        {
            try
            {

                while select NW_POConfirmationHeader
                    where NW_POConfirmationHeader.IsConfirmedFromFO == NoYes::No && NW_POConfirmationHeader.IsConfirmedFromPortal == NoYes::No &&
                    NW_POConfirmationHeader.IsRejected == NoYes::No
                {
                    POContractRequest = new NW_POConfirmationContract();
                    NW_Attachement = new NW_Attachement();

                    POContractRequest.ParmRequestID(NW_POConfirmationHeader.RequestID);
                    POContractRequest.ParmRequestDate(NW_POConfirmationHeader.RequestDate);
                    POContractRequest.ParmPurchaseOrder(NW_POConfirmationHeader.PurchaseOrder);
                    POContractRequest.ParmRFQId(NW_POConfirmationHeader.RFQId);
                    POContractRequest.ParmPurchReqId(NW_POConfirmationHeader.PurchReqId);
                    POContractRequest.ParmSubjectOrProjectTitle(NW_POConfirmationHeader.SubjectOrProjectTitle);
                    POContractRequest.ParmProductType(NW_POConfirmationHeader.ProductType);
                    POContractRequest.ParmSupplier(NW_POConfirmationHeader.Supplier);
                    POContractRequest.ParmDeliveryDate(NW_POConfirmationHeader.DeliveryDate);
                    POContractRequest.ParmOfficialContactEmail(NW_POConfirmationHeader.OfficialContactEmail);
                    POContractRequest.ParmPoReport(NW_POConfirmationHeader.POReport);
                    NW_Attachement.ParmAttachment(NW_POConfirmationHeader.Attachment);
                    NW_Attachement.ParmFileName(NW_POConfirmationHeader.FileName);
                    NW_Attachement.ParmFileType(NW_POConfirmationHeader.FileType);
                    POContractRequest.ParmAttachment(NW_Attachement);

                    LinesList = new List(Types::Class);

                    while select NW_POConfirmationLines where NW_POConfirmationLines.RequestID == NW_POConfirmationHeader.RequestID
                    {
                        POContractLines = new NW_POConfirmationLinesContract();
                
                        POContractLines.ParmItemId(NW_POConfirmationLines.ItemId);
                        POContractLines.ParmDescription(NW_POConfirmationLines.Description);
                        POContractLines.ParmCategoryName(NW_POConfirmationLines.CategoryName);
                        POContractLines.ParmQuantity(NW_POConfirmationLines.Quantity);
                        POContractLines.ParmPurchUnit(NW_POConfirmationLines.PurchUnit);
                        POContractLines.ParmPrice(NW_POConfirmationLines.Price);
                        POContractLines.ParmCurrencyCode(NW_POConfirmationLines.CurrencyCode);
                        POContractLines.ParmTotalPrice(NW_POConfirmationLines.TotalPrice);
                        POContractLines.ParmDeliveryLocation(NW_POConfirmationLines.DeliveryLocation);
                        POContractLines.ParmTax(NW_POConfirmationLines.Tax);
                        POContractLines.ParmTotalOrderPrice(NW_POConfirmationLines.TotalOrderPrice);
                        POContractLines.ParmAdditionalNotes(NW_POConfirmationLines.AdditionalNotes);

                        LinesList.addEnd(POContractLines);
                    }
                    POContractRequest.ParmLines(LinesList);
                    HeaderList.addEnd(POContractRequest);
                }
            }
            catch
            {
                SysInfologEnumerator enumerator;
                SysInfologMessageStruct msgStruct;
 
                enumerator = SysInfologEnumerator::newData(infolog.cut());
 
                while(enumerator.moveNext())
                {
                    msgStruct = new SysInfologMessageStruct(enumerator.currentMessage());
 
                    errors.addEnd(msgStruct.message());
                    HeaderList.addEnd(errors);
                }
            }
        }
        return HeaderList;
    }
// Creating a multidimensional associative array
$employees = array(
    array("name" => "John", "age" => 30, "position" => "Developer"),
    array("name" => "Alice", "age" => 25, "position" => "Designer"),
    array("name" => "Bob", "age" => 35, "position" => "Manager")
);

// Accessing elements in a multidimensional associative array
echo $employees[0]["name"];      // Outputs "John"
echo $employees[1]["position"];  // Outputs "Designer"
echo $employees[2]["age"];       // Outputs 35
// Creating a multidimensional array
$matrix = array(
    array(1, 2, 3),
    array(4, 5, 6),
    array(7, 8, 9)
);

// Accessing elements in a two-dimensional array
echo $matrix[0][1]; // Outputs 2
echo $matrix[1][2]; // Outputs 6
echo $matrix[2][0]; // Outputs 7
// Adding a new element
$person["occupation"] = "Developer";

// Modifying an existing element
$person["age"] = 26;

// Accessing the updated elements
echo $person["occupation"]; // Outputs "Developer"
echo $person["age"];        // Outputs 26
// Creating an associative array
$person = array(
    "name" => "John",
    "age" => 25,
    "city" => "New York"
);

// Accessing elements by key
echo $person["name"]; // Outputs "John"
echo $person["age"];  // Outputs 25
echo $person["city"]; // Outputs "New York"
// Adding a new element
$fruits[] = "Grapes";

// Accessing the newly added element
echo $fruits[3]; // Outputs "Grapes"
// Creating a numeric array
$fruits = array("Apple", "Banana", "Orange");

// Accessing elements by index
echo $fruits[0]; // Outputs "Apple"
echo $fruits[1]; // Outputs "Banana"
echo $fruits[2]; // Outputs "Orange"
kubectl get pods -A | grep Evicted | awk '{print $2 " -n " $1}' | xargs -n 3 kubectl delete pod
import {Metadata} from "next";

import {API_BASE_URL} from "@/app/constants";
import {getFrameVersion} from "@/app/actions";
import {MetadataProps} from "@/app/types";


export async function generateMetadata(
  {searchParams}: MetadataProps,
): Promise<Metadata> {

  const version = await getFrameVersion();

  const {gameId} = searchParams;

  const imageUrl = `${API_BASE_URL}/images/level?gameId=${gameId}&version=${version}`;

  const fcMetadata: Record<string, string> = {
    "fc:frame": "vNext",
    "fc:frame:post_url": `${API_BASE_URL}/next?version=${version}`,
    "fc:frame:image": imageUrl,
    "fc:frame:button:1": "MVP",
    "fc:frame:button:2": "Not MVP",
  };

  return {
    title: "MVP or not MVP?",
    openGraph: {
      title: "MVP or not MVP?",
      images: ["/api/splash"],
    },
    other: {
      ...fcMetadata,
    },
    metadataBase: new URL(process.env["HOST"] || "")
  };
}

export default async function Page() {
  return <p>next</p>;
}
class Solution(object):
  def lengthOfLongestSubstring(self, s):
    max_sub_length = 0
    start = 0
    s_length = len(s)
    
    for end in range(1, s_length):
      if s[end] in s[start:end]:
        start = s[start:end].index(s[end]) + 1 + start
      else:
        max_sub_length = max(max_sub_length, end - start + 1)
	return max_sub_length    
What Does a Server Do?
As we mentioned before, Node.js allows us to interact with different operating systems. One of these is the file system, which is something that software engineers have to constantly work with. For example, when sending a post on Instagram, the server first needs to receive this post and record it to the disk. The same thing happens when you scroll through your feed: the user requests the image, then the server finds the right file and sends this data back to the user.

In this lesson, we'll talk about how to work with files on the server and teach you how to read data from files and folders, write new data to a file, create directories, and delete files. Let's go!

What Module Do We Need?
Node.js comes with the fs module, which allows us to access and manipulate the file system. There's a built-in method for each operation you might need to perform. Let's start off with reading files. For that, we have the readFile() function.

This function works asynchronously and takes three arguments: the name of the file that we want to read, an options object (optional), and a callback. In the callback, we need to describe what should be done with the data.

The callback has two parameters. Normally, the first parameter of a Node.js callback is an err parameter, which is used to handle potential errors. Second, we have the data parameter, which represents the contents of the file.

const fs = require('fs');

fs.readFile('data.json', (err, data) => {
  if (err) {
    console.log(err);
    return;
  }

  console.log('data: ', data.toString('utf8'));
});
The first callback parameter can have one of the following two values: 

If an error occurs while reading the file, the value of this parameter will be an object containing the error information
If the file is read successfully and there's nothing wrong with it, this parameter will have a value of null
As mentioned above, the second parameter of the callback is the file data. This comes in the form of binary code and is referred to as buffer data because it represents an instance of JavaScript's global Buffer class. In order to be able to work with this data, we first need to convert it into a string. There are two ways of doing this:

By using the toString() method. It'll look like this: data.toString('utf8'). This method takes a string as an argument, whose value is the encoding format into which we want to convert this data.
By passing the encoding format inside the encoding property of the options object of the readFile() method. If we do things this way, we don't need an extra method to convert the file as it will already be in the form of a string:
const fs = require('fs');

fs.readFile('data.json', { encoding: 'utf8' }, (err, data) => { // the options object is passed as the second argument. It contains the encoding property, in which we specify the character encoding to use 
  if (err) {
    console.log(err);
    return;
  }

  console.log('data: ', data); // since the data comes as a string, we don't need to call the toString() method here 
});
 
What Else Can the fs Module Do?
It Can Read All the Files in a Directory
Node.js provides the fs.readdir() method for doing this. The first argument of this method is the path to the directory. The second one is a callback, which describes what should be done with the data returned.

The callback also has two parameters — an error parameter (err) and an array of the file names:

const fs = require('fs');

fs.readdir('.', (err, files) => {
  if (err) {
    console.log(err);
    return;
  }

  console.log('data: ', files);
});
It Can Create Folders
The method for creating folders is fs.mkdir(). It takes two arguments: the name of the new folder, and a callback with a single argument, i.e. the error object. When passing the first argument, we can specify the path to this new file along with its name:

const fs = require('fs');

fs.mkdir('incomingData/data', (err) => {
  if (err) console.log(err);
});
It Can Write Data to a File
This is done with the fs.writeFile() method. It has three parameters:

The file to which we want to write data
Data in the form of a string
A callback for error processing
const fs = require('fs');

fs.writeFile('data.json', JSON.stringify([1, 2, 3]), (err) => {
  if (err) console.log(err);
});
It Can Delete Files
To delete files, we use the fs.unlink() method, which takes two arguments — the file name and a callback for processing errors:

const fs = require('fs');

fs.unlink('data.json', (err) => {
  if (err) {
    console.log(err);
    return;
  }

  console.log('The file was deleted!'); 
});
It Can Do a Lot of Other Useful Things
The remaining methods of the fs module work in mostly the same way. If you want to do something with a file that we haven't explained how to do here, you can read the Node.js documentation, where you should find a method for what you want to do.

Using Promises when Working with Files
Node.js v10.0.0 introduced an fs module that supports promises. When we use promises, we don't need to pass any callbacks. If the data is read successfully, the promise will be resolved, and if the operation fails, the promise will be rejected, so to handle the success cases, all you need to do is add the asynchronous then() handler and put the code you want to be executed inside it:

const fsPromises = require('fs').promises;

fsPromises.readFile('data.json', { encoding: 'utf8' })
  .then((data) => {
    console.log(data);
  })
  .catch(err => {
    console.log(err);
  });
Documentation on the fs Promises API.

Routing problems
Working with a file system involves setting up routing. But how should we do this? Do we write file paths relative to the entry point, or do we write them based upon the file where the code is located? To figure this out, let's consider the following example:

Let's say we have the app.js file as our entry point, which contains the following code:

// app.js

const fs = require('fs');

const readFile = () => {
  const file = fs.readFile('file.txt', { encoding: 'utf8' }, (err, data) => {
    console.log(data); // logging the content of the file to the console
  }); // reading file.txt with a relative path
};

readFile();
After that, let's say we decide to move the contents of this file and the logic for working with it to a separate folder, which results in the following file structure:



Since the logic for working with the file is now stored in a different folder, we need to connect it to the entry point, which is the app.js file. To do that, we need to import the readFile() function:

// app.js

const fs = require('fs');
const { readFile } = require('./files/read-file');

readFile();
Then, we export that same function from the read-file.js file:

// read-file.js

const fs = require('fs');

module.exports.readFile = () => {
  const file = fs.readFile('file.txt', { encoding: 'utf8' }, (err, data) => {
    console.log(data);
  });
};
This code will lead to an error, because it won't be able to find file.txt. The problem lies in the relative path. Instead of reading the path relative to where the function is set up, the path is read relative to the file in which the code is run. We could have changed the path to the file from file.txt to /files/file.txt, but this is not ideal because as we add more files to our project, it will become difficult to manage and keep track of the routes.

Thankfully, there's a simple solution. We can make the routes dynamic. Instead of writing the path explicitly, we can read it from its module. To make this happen, there are two things to consider:

We need to know where the module we want to access is located.
We need an extra path module for working with directories and file paths. This module allows us to take the folder names, join them together, and create a path.
Let's talk about each of these in more detail. 

What does a module store?
Each Node.js module contains information about itself and its environment. For example, we can check a module's location or see whether or not it's our application's entry point.

Where is a module located?
Every module contains the  __filename and __dirname variables, which store the module's file path and directory path, respectively.

// app.js

console.log(__filename); // /usr/local/project/app.js
console.log(__dirname); // /usr/local/project
We could have used a template literal or concatenation to make the path dynamic:

const file = fs.readFile(`${__dirname}/file.txt`, { encoding: 'utf8' }, (err, data) => {
    
});
However, it's better to avoid doing so because different operating systems have different slashes. While macOS uses a forward slash, MS Windows uses a backward slash. To avoid any confusion with slashes, it's better to modify paths using the path module, which was specifically designed for this purpose.

How Do We Modify a Route?
The path module provides various methods for working with file and directory paths. One of these methods is the join() method, which joins the specified path segments together and returns what's referred to as a normalized path. This method accounts for the operating system being used, so we avoid any problems with slashes: 

// read-file.js

const fs = require('fs');
const path = require('path');

module.exports.readFile = () => {
  const filepath = path.join(__dirname, 'file.txt'); // joining the path segments to create an absolute path
  const file = fs.readFile(filepath, { encoding: 'utf8' }, (err, data) => {
    console.log(data);
  }); 
};
Here are some more useful methods of the path module:

const fs = require('fs');
const path = require('path');

// the path.normalize() method normalizes the specified path
// and resolves '..' and '.' segments
path.normalize('/foo/bar//baz/asdf/quux/..'); // /foo/bar/baz/asdf

// the path.dirname() method returns the directory name of the given path
path.dirname(require.main.filename); // /usr/local/my-project

// the path.extname() method returns the extension of a file path
path.extname('app.js'); // .js
You can read more about other methods in the official Node.js documentation.

The fs and path modules are essential for working with file systems. The fs module contains methods for performing operations on the files themselves, while the path module provides the tools for creating normalized paths between them. Both these modules allow us to manage the file system without affecting the flexibility or functionality of our project.
display: -webkit-box;
-webkit-line-clamp: 2;
-webkit-box-orient: vertical;
overflow: hidden;
RewriteEngine On
RewriteCond %{HTTPS} on
RewriteRule ^(.*)$ http://%{HTTP_HOST}%{REQUEST_URI} [L,R=301]
c3.Genai.UnstructuredQuery.Engine.REA.RetrieverConfig.make('materiality_retriever_config').getConfig().setConfigValue("numRetrievedPassages", 10)
//For TestEmpolyee.java

public class TestEmpolyee {
    public static void main(String[] args) {
		Empolyee e1 = new Empolyee();
		Empolyee e2 = new Empolyee(3666666666666L,"mrSaadis");
		Empolyee e3 = new Empolyee(3666666666666L,"meSaadis",201000f);		
        e1.getEmpolyee();
		e2.getEmpolyee();
		e3.getEmpolyee();
		
    }
}


///////////////////////////////////////////////////////////////////////////////////////////
//For Empolyee.java
///////////////////////////////////////////////////////////////////////////////////////////


public class Empolyee {
    
	private long cnic;
	private String name;
	private double salary;
	
	public Empolyee (){
	}
	
	public Empolyee (long cnic, String name){
		setEmpolyee(cnic,name);
	}
	
	public Empolyee(long cnic, String name, double salary){
		this(cnic,name);
		this.salary = salary;
	}
	
	public void setEmpolyee (long cnic, String name){
		this.cnic = cnic;
		this.name = name;
	}
	
	public void getEmpolyee (){
		System.out.printf("Cnic no. is %d%n",this.cnic);
		System.out.printf("Name is %s%n",this.name);
		System.out.printf("Salaray is %.2f%n%n",this.salary);
	}
	
}

//For TestCircle.java

public class TestCircle {
    public static void main(String[] args) {
		
        Circle circle = new Circle(5);

        System.out.printf("Radius of the circle: %.2f%n", circle.getRadius());
        System.out.printf("Area of the circle: %.2f%n", circle.calculateArea());
        System.out.printf("Perimeter of the circle: %.2f%n%n", circle.calculatePerimeter());

        circle.setRadius(7);
        System.out.printf("Radius of the circle: %.2f%n", circle.getRadius());
        System.out.printf("Area of the circle: %.2f%n", circle.calculateArea());
        System.out.printf("Perimeter of the circle: %.2f%n%n", circle.calculatePerimeter());
		
        circle.setRadius(-3);
    }
}

///////////////////////////////////////////////////////////////////////////////////////////
//For Circle.java
///////////////////////////////////////////////////////////////////////////////////////////

public class Circle {
    private double radius;

    public Circle(double radius) {
        this.radius = radius;
    }

    public double getRadius() {
        return radius;
    }

    public void setRadius(double radius) {
        if (radius > 0) {
            this.radius = radius;
        } else {
            System.out.println("Radius must be greater than 0");
        }
    }

    public double calculateArea() {
        return Math.PI * radius * radius;
    }

    public double calculatePerimeter() {
        return 2 * (Math.PI * radius);
    }
}

 onFocusedRowChanging(e) {
      const rowsCount = e.component.getVisibleRows().length;
      const pageCount = e.component.pageCount();
      const pageIndex = e.component.pageIndex();
      const key = e.event && e.event.key;

      if (key && e.prevRowIndex === e.newRowIndex) {
        if (e.newRowIndex === rowsCount - 1 && pageIndex < pageCount - 1) {
          e.component.pageIndex(pageIndex + 1).done(() => {
            e.component.option('focusedRowIndex', 0);
          });
        } else if (e.newRowIndex === 0 && pageIndex > 0) {
          e.component.pageIndex(pageIndex - 1).done(() => {
            e.component.option('focusedRowIndex', rowsCount - 1);
          });
        }
      }
    },
public class Person
{
    private string name;
    private int age;

    // Encapsulated methods to access private members
    public string GetName()
    {
        return name;
    }

    public void SetName(string newName)
    {
        name = newName;
    }

    public int GetAge()
    {
        return age;
    }

    public void SetAge(int newAge)
    {
        age = newAge;
    }
}
var dataSource = new DevExpress.data.DataSource({
    store: [
        { name: "Charlie", value: 10 },
        { name: "Alice", value: 20 },
        { name: "Bob", value: 30 }
    ],
    filter: [ "value", ">", 15 ],
    sort: { field: "name", desc: true }
});
W2UZYVP19Z-eyJsaWNlbnNlSWQiOiJXMlVaWVZQMTlaIiwibGljZW5zZWVOYW1lIjoiQ2hvbmdxaW5nIFVuaXZlcnNpdHkiLCJhc3NpZ25lZU5hbWUiOiJqdW4gbW8iLCJhc3NpZ25lZUVtYWlsIjoiY3JjbmgzQGlzdmluZy5jb20iLCJsaWNlbnNlUmVzdHJpY3Rpb24iOiJGb3IgZWR1Y2F0aW9uYWwgdXNlIG9ubHkiLCJjaGVja0NvbmN1cnJlbnRVc2UiOmZhbHNlLCJwcm9kdWN0cyI6W3siY29kZSI6IkRQTiIsInBhaWRVcFRvIjoiMjAyNC0wNy0xMCIsImV4dGVuZGVkIjpmYWxzZX0seyJjb2RlIjoiREIiLCJwYWlkVXBUbyI6IjIwMjQtMDctMTAiLCJleHRlbmRlZCI6ZmFsc2V9LHsiY29kZSI6IlBTIiwicGFpZFVwVG8iOiIyMDI0LTA3LTEwIiwiZXh0ZW5kZWQiOmZhbHNlfSx7ImNvZGUiOiJJSSIsInBhaWRVcFRvIjoiMjAyNC0wNy0xMCIsImV4dGVuZGVkIjpmYWxzZX0seyJjb2RlIjoiUlNDIiwicGFpZFVwVG8iOiIyMDI0LTA3LTEwIiwiZXh0ZW5kZWQiOnRydWV9LHsiY29kZSI6IkdPIiwicGFpZFVwVG8iOiIyMDI0LTA3LTEwIiwiZXh0ZW5kZWQiOmZhbHNlfSx7ImNvZGUiOiJETSIsInBhaWRVcFRvIjoiMjAyNC0wNy0xMCIsImV4dGVuZGVkIjpmYWxzZX0seyJjb2RlIjoiUlNGIiwicGFpZFVwVG8iOiIyMDI0LTA3LTEwIiwiZXh0ZW5kZWQiOnRydWV9LHsiY29kZSI6IkRTIiwicGFpZFVwVG8iOiIyMDI0LTA3LTEwIiwiZXh0ZW5kZWQiOmZhbHNlfSx7ImNvZGUiOiJQQyIsInBhaWRVcFRvIjoiMjAyNC0wNy0xMCIsImV4dGVuZGVkIjpmYWxzZX0seyJjb2RlIjoiUkMiLCJwYWlkVXBUbyI6IjIwMjQtMDctMTAiLCJleHRlbmRlZCI6ZmFsc2V9LHsiY29kZSI6IkNMIiwicGFpZFVwVG8iOiIyMDI0LTA3LTEwIiwiZXh0ZW5kZWQiOmZhbHNlfSx7ImNvZGUiOiJXUyIsInBhaWRVcFRvIjoiMjAyNC0wNy0xMCIsImV4dGVuZGVkIjpmYWxzZX0seyJjb2RlIjoiUkQiLCJwYWlkVXBUbyI6IjIwMjQtMDctMTAiLCJleHRlbmRlZCI6ZmFsc2V9LHsiY29kZSI6IlJTMCIsInBhaWRVcFRvIjoiMjAyNC0wNy0xMCIsImV4dGVuZGVkIjpmYWxzZX0seyJjb2RlIjoiUk0iLCJwYWlkVXBUbyI6IjIwMjQtMDctMTAiLCJleHRlbmRlZCI6ZmFsc2V9LHsiY29kZSI6IkFDIiwicGFpZFVwVG8iOiIyMDI0LTA3LTEwIiwiZXh0ZW5kZWQiOmZhbHNlfSx7ImNvZGUiOiJSU1YiLCJwYWlkVXBUbyI6IjIwMjQtMDctMTAiLCJleHRlbmRlZCI6dHJ1ZX0seyJjb2RlIjoiREMiLCJwYWlkVXBUbyI6IjIwMjQtMDctMTAiLCJleHRlbmRlZCI6ZmFsc2V9LHsiY29kZSI6IlJTVSIsInBhaWRVcFRvIjoiMjAyNC0wNy0xMCIsImV4dGVuZGVkIjpmYWxzZX0seyJjb2RlIjoiRFAiLCJwYWlkVXBUbyI6IjIwMjQtMDctMTAiLCJleHRlbmRlZCI6dHJ1ZX0seyJjb2RlIjoiUERCIiwicGFpZFVwVG8iOiIyMDI0LTA3LTEwIiwiZXh0ZW5kZWQiOnRydWV9LHsiY29kZSI6IlBTSSIsInBhaWRVcFRvIjoiMjAyNC0wNy0xMCIsImV4dGVuZGVkIjp0cnVlfSx7ImNvZGUiOiJQQ1dNUCIsInBhaWRVcFRvIjoiMjAyNC0wNy0xMCIsImV4dGVuZGVkIjp0cnVlfSx7ImNvZGUiOiJSUyIsInBhaWRVcFRvIjoiMjAyNC0wNy0xMCIsImV4dGVuZGVkIjp0cnVlfV0sIm1ldGFkYXRhIjoiMDEyMDIzMDgwMUxQQUEwMDkwMDgiLCJoYXNoIjoiNDc4MzQ3NjMvMjMxMTkyNjA6MzgyNjc4ODMxIiwiZ3JhY2VQZXJpb2REYXlzIjo3LCJhdXRvUHJvbG9uZ2F0ZWQiOmZhbHNlLCJpc0F1dG9Qcm9sb25nYXRlZCI6ZmFsc2V9-hhTB55YEQlkt+ugP67YAE54YqDg03KmtselYVwF4evNQu6uLTzMla7oGX7Er7Hadun2cl9u0ZrFtmJ2ETYtWYAbagH6xblBK1n1/9ZURjg13RiCi6MYU86SioGEZHPccWWUFmIB5Ul33eD082aVweLe5Br6qjd3jAn+JZFkXK3T2EaCkd7oTx5a/gseREldaORFUq3d5Yc6lWWW25VYVpCaXl1Ky2QJTzqyVPhvuMm4dntq/vluCtUtlbmEmWLPWLUQH12jWyXEiakEDYctmOV3Iupz8OPj70Fmc8PyVNMmkusVTBwvWmTVjK5G7CQiRpwHi2nG5yHcOLOR/oheAMQ==-MIIETDCCAjSgAwIBAgIBDzANBgkqhkiG9w0BAQsFADAYMRYwFAYDVQQDDA1KZXRQcm9maWxlIENBMB4XDTIyMTAxMDE2MDU0NFoXDTI0MTAxMTE2MDU0NFowHzEdMBsGA1UEAwwUcHJvZDJ5LWZyb20tMjAyMjEwMTAwggEiMA0GCSqGSIb3DQEBAQUAA4IBDwAwggEKAoIBAQC/W3uCpU5M2y48rUR/3fFR6y4xj1nOm3rIuGp2brELVGzdgK2BezjnDXpAxVDw5657hBkAUMoyByiDs2MgmVi9IcqdAwpk988/Daaajq9xuU1of59jH9eQ9c3BmsEtdA4boN3VpenYKATwmpKYkJKVc07ZKoXL6kSyZuF7Jq7HoQZcclChbF75QJPGbri3cw9vDk/e46kuzfwpGftvl6+vKibpInO6Dv0ocwImDbOutyZC7E+BwpEm1TJZW4XovMBegHhWC04cJvpH1u98xoR94ichw0jKhdppywARe43rGU96163RckIuFmFDQKZV9SMUrwpQFu4Z2D5yTNqnlLRfAgMBAAGjgZkwgZYwCQYDVR0TBAIwADAdBgNVHQ4EFgQU5FZqQ4gnVc+inIeZF+o3ID+VhcEwSAYDVR0jBEEwP4AUo562SGdCEjZBvW3gubSgUouX8bOhHKQaMBgxFjAUBgNVBAMMDUpldFByb2ZpbGUgQ0GCCQDSbLGDsoN54TATBgNVHSUEDDAKBggrBgEFBQcDATALBgNVHQ8EBAMCBaAwDQYJKoZIhvcNAQELBQADggIBANLG1anEKid4W87vQkqWaQTkRtFKJ2GFtBeMhvLhIyM6Cg3FdQnMZr0qr9mlV0w289pf/+M14J7S7SgsfwxMJvFbw9gZlwHvhBl24N349GuthshGO9P9eKmNPgyTJzTtw6FedXrrHV99nC7spaY84e+DqfHGYOzMJDrg8xHDYLLHk5Q2z5TlrztXMbtLhjPKrc2+ZajFFshgE5eowfkutSYxeX8uA5czFNT1ZxmDwX1KIelbqhh6XkMQFJui8v8Eo396/sN3RAQSfvBd7Syhch2vlaMP4FAB11AlMKO2x/1hoKiHBU3oU3OKRTfoUTfy1uH3T+t03k1Qkr0dqgHLxiv6QU5WrarR9tx/dapqbsSmrYapmJ7S5+ghc4FTWxXJB1cjJRh3X+gwJIHjOVW+5ZVqXTG2s2Jwi2daDt6XYeigxgL2SlQpeL5kvXNCcuSJurJVcRZFYUkzVv85XfDauqGxYqaehPcK2TzmcXOUWPfxQxLJd2TrqSiO+mseqqkNTb3ZDiYS/ZqdQoGYIUwJqXo+EDgqlmuWUhkWwCkyo4rtTZeAj+nP00v3n8JmXtO30Fip+lxpfsVR3tO1hk4Vi2kmVjXyRkW2G7D7WAVt+91ahFoSeRWlKyb4KcvGvwUaa43fWLem2hyI4di2pZdr3fcYJ3xvL5ejL3m14bKsfoOv
:root {
  --main-bg-color: #f3f4f6;
  --title-color: #262626;
  --text-color: #525252;
  --font-family: "Arial", sans-serif;
}

body {
  margin: 0;
  padding: 0;
  background-color: var(--main-bg-color);
  font-family: var(--font-family);
}

.blog-header,
.blog-footer {
  text-align: center;
  padding: 1rem;
  background-color: var(--title-color);
  color: white;
}

.blog-post {
  container-type: inline-size;
  margin: 1rem;
  padding: 1rem;
  background-color: white;
  box-shadow: 0 2px 4px rgba(0, 0, 0, 0.1);

  & .post-title {
    color: var(--title-color);
    margin: 0 0 1rem 0;
    text-wrap: balance;
    font-size: 1em;
  }

  & .post-content {
    color: var(--text-color);
  }
}

@container (min-inline-size: 500px) {
  .blog-post {
    padding: 1.5rem;

    & .post-title {
      font-size: 1.25em;
    }
  }
}
https://fernitudela.dev/2023/01/22/d365fo-ssrs-report-parameters-cell-definitions-error/
star

Wed Mar 06 2024 20:10:57 GMT+0000 (Coordinated Universal Time) https://chromewebstore.google.com/detail/save-code/annlhfjgbkfmbbejkbdpgbmpbcjnehbb?pli

@faruk

star

Wed Mar 06 2024 15:50:26 GMT+0000 (Coordinated Universal Time)

@Milados

star

Wed Mar 06 2024 15:06:32 GMT+0000 (Coordinated Universal Time)

@automationateli #javascript

star

Wed Mar 06 2024 14:46:27 GMT+0000 (Coordinated Universal Time)

@msaadshahid #java

star

Wed Mar 06 2024 14:39:41 GMT+0000 (Coordinated Universal Time)

@msaadshahid #java

star

Wed Mar 06 2024 12:51:19 GMT+0000 (Coordinated Universal Time) https://technoderivation.com/saas-development-company

@garvit #saasdevelopmentcompany #customsaasdevelopmentsolution #saas

star

Wed Mar 06 2024 12:49:45 GMT+0000 (Coordinated Universal Time) https://technoderivation.com/job-portal-development

@garvit #jobportaldevelopment #jobportalcompany #jobportal

star

Wed Mar 06 2024 12:48:19 GMT+0000 (Coordinated Universal Time) https://technoderivation.com/ott-app-development

@garvit ##ottappdevelopment #ottappdevelopmentcompany #ottappcompany

star

Wed Mar 06 2024 12:43:17 GMT+0000 (Coordinated Universal Time) https://technoderivation.com/fantasy-sports-app-development

@garvit

star

Wed Mar 06 2024 12:31:02 GMT+0000 (Coordinated Universal Time)

@vallarasuk

star

Wed Mar 06 2024 12:08:12 GMT+0000 (Coordinated Universal Time)

@kervinandy123 #c

star

Wed Mar 06 2024 11:17:38 GMT+0000 (Coordinated Universal Time)

@BilalRaza12

star

Wed Mar 06 2024 10:29:03 GMT+0000 (Coordinated Universal Time)

@pvignesh

star

Wed Mar 06 2024 10:13:08 GMT+0000 (Coordinated Universal Time)

@pvignesh

star

Wed Mar 06 2024 03:14:45 GMT+0000 (Coordinated Universal Time)

@Milados

star

Wed Mar 06 2024 02:39:42 GMT+0000 (Coordinated Universal Time)

@kervinandy123 #c

star

Tue Mar 05 2024 19:36:10 GMT+0000 (Coordinated Universal Time) https://mikecann.co.uk/posts/firebase-cloud-messaging-and-chrome-extension-manifest-v3

@lebind12

star

Tue Mar 05 2024 15:34:14 GMT+0000 (Coordinated Universal Time) https://pawelgrzybek.com/vertical-rhythm-using-css-lh-and-rlh-units/

@Sebhart #css #typography #layout

star

Tue Mar 05 2024 14:52:36 GMT+0000 (Coordinated Universal Time) https://darkwebmarketbuyer.com/product/mind-warp-cake-disposable/

@darkwebmarket

star

Tue Mar 05 2024 14:44:42 GMT+0000 (Coordinated Universal Time)

@BilalRaza12

star

Tue Mar 05 2024 14:22:31 GMT+0000 (Coordinated Universal Time)

@codewarrior

star

Tue Mar 05 2024 14:21:34 GMT+0000 (Coordinated Universal Time)

@codewarrior

star

Tue Mar 05 2024 14:19:59 GMT+0000 (Coordinated Universal Time)

@codewarrior

star

Tue Mar 05 2024 14:18:45 GMT+0000 (Coordinated Universal Time)

@codewarrior

star

Tue Mar 05 2024 14:17:01 GMT+0000 (Coordinated Universal Time)

@codewarrior

star

Tue Mar 05 2024 13:09:24 GMT+0000 (Coordinated Universal Time)

@MinaTimo

star

Tue Mar 05 2024 13:08:07 GMT+0000 (Coordinated Universal Time)

@codewarrior

star

Tue Mar 05 2024 13:06:45 GMT+0000 (Coordinated Universal Time)

@codewarrior

star

Tue Mar 05 2024 13:04:13 GMT+0000 (Coordinated Universal Time)

@codewarrior

star

Tue Mar 05 2024 13:03:22 GMT+0000 (Coordinated Universal Time)

@codewarrior

star

Tue Mar 05 2024 12:59:56 GMT+0000 (Coordinated Universal Time)

@codewarrior

star

Tue Mar 05 2024 12:58:47 GMT+0000 (Coordinated Universal Time)

@codewarrior

star

Tue Mar 05 2024 12:02:33 GMT+0000 (Coordinated Universal Time) https://i.imgur.com/tcgiWzN.png

@odesign

star

Tue Mar 05 2024 11:18:10 GMT+0000 (Coordinated Universal Time)

@emjumjunov

star

Tue Mar 05 2024 10:53:03 GMT+0000 (Coordinated Universal Time)

@tudorizer

star

Tue Mar 05 2024 10:45:50 GMT+0000 (Coordinated Universal Time) https://funpay.com/orders/

@Misha

star

Tue Mar 05 2024 09:57:33 GMT+0000 (Coordinated Universal Time)

@leafsummer #python

star

Tue Mar 05 2024 03:53:14 GMT+0000 (Coordinated Universal Time) https://tripleten.com/trainer/web/lesson/3c02a3d8-00d1-44c0-8089-cacaff6dc7b4/task/6309e2aa-df62-4b3a-a4b7-ca5c7f086d3f/

@Marcelluki

star

Tue Mar 05 2024 02:15:15 GMT+0000 (Coordinated Universal Time)

@homunculus #css

star

Mon Mar 04 2024 23:32:00 GMT+0000 (Coordinated Universal Time)

@akshaypunhani #python

star

Mon Mar 04 2024 21:35:34 GMT+0000 (Coordinated Universal Time)

@msaadshahid #java

star

Mon Mar 04 2024 20:43:01 GMT+0000 (Coordinated Universal Time)

@msaadshahid #java

star

Mon Mar 04 2024 20:01:56 GMT+0000 (Coordinated Universal Time) https://js.devexpress.com/jQuery/Demos/WidgetsGallery/Demo/DataGrid/FilterPanel/MaterialBlueLight/

@gerardo0320

star

Mon Mar 04 2024 19:06:38 GMT+0000 (Coordinated Universal Time)

@brandonxedit

star

Mon Mar 04 2024 17:18:22 GMT+0000 (Coordinated Universal Time) https://js.devexpress.com/jQuery/Documentation/Guide/Data_Binding/Data_Layer/

@gerardo0320

star

Mon Mar 04 2024 16:25:08 GMT+0000 (Coordinated Universal Time)

@manhmd

star

Mon Mar 04 2024 14:50:01 GMT+0000 (Coordinated Universal Time) https://codesandbox.io/p/sandbox/async-http-jyftfw?file=%2Fstyles.css%3A1%2C1-50%2C2

@Sebhart #css

star

Mon Mar 04 2024 14:39:38 GMT+0000 (Coordinated Universal Time)

@MinaTimo

star

Mon Mar 04 2024 13:46:41 GMT+0000 (Coordinated Universal Time) https://i.imgur.com/O3h2YQ5.png

@odesign

Save snippets that work with our extensions

Available in the Chrome Web Store Get Firefox Add-on Get VS Code extension