Snippets Collections
#include<stdio.h>
int main()
{
    int dsr;
    int qtnt; 
    int dnd ;
    printf("enter dividend :");
    scanf("%d",&dnd);
    printf("enter divisor :");
    scanf("%d",&dsr);
    qtnt=dnd/dsr;
    printf("quotient is %d\n",qtnt);
    int rem=qtnt%dsr; //or insted of line 13 14 15 use qtnt%=dsr;
    printf("remaider is : %d\n",rem);
    qtnt=rem;
    printf("quotient is now : %d\n",qtnt);
}
# plot training score vs parameter alpha, with x on logscale
# use std over cross-validation folds for error bars
ax = res.plot(x='param_alpha', y='mean_train_score', yerr='std_train_score', logx=True)
# same for test set, plot in the same axes
res.plot(x='param_alpha', y='mean_test_score', yerr='std_test_score', ax=ax)
# define and execute grid-search
# return training scores
grid = GridSearchCV(Ridge(), param_grid, return_train_score=True)
grid.fit(X_train, y_train)
print(grid.best_score_)
print(grid.best_params_)
import numpy as np
from sklearn.model_selection import GridSearchCV
# logspace creates numbers that are evenly spaces in log-space
# it uses a base of 10 by default, here starting from 10^-4 to 10^1, with 6 steps in total
param_grid = {'alpha': np.logspace(-4, 1, 6)}
param_grid
res = pd.DataFrame(cross_validate(Ridge(), X_train, y_train, return_train_score=True))
res
res = pd.DataFrame(cross_validate(Ridge(), X_train, y_train, return_train_score=True))
res
import pandas as pd
from sklearn.linear_model import Ridge, LinearRegression
from sklearn.model_selection import cross_validate

# run cross-validation, convert the results to a pandas dataframe for analysis
# return_train_score=True means that the training score is also computed
res = pd.DataFrame(cross_validate(LinearRegression(), X_train, y_train, return_train_score=True))
res
import seaborn as sns
# plot correlation, annmotate with values
sns.clustermap(X_train.corr(), annot=True, cmap='bwr_r')
# Create dataframe containing target for plotting
df_train = X_train.copy()
df_train['target'] = y_train

fig, axes = plt.subplots(2, 5, constrained_layout=True, figsize=(10, 4))
for col, ax in zip(X.columns, axes.ravel()):
    df_train.plot(x=col, y='target', kind='scatter', ax=ax, legend=False, s=2, alpha=.6)
# Split the data into training and test set before doing more in-depth visualization
from sklearn.model_selection import train_test_split
X_train, X_test, y_train, y_test = train_test_split(X, y, random_state=42)
# It's a good idea to get an idea of the distribution of the target variable.
# Here we're using matplotlib's histogram function.
# Remember to set bins to auto, otherwise it's using 10 bins
# the histogram is somewhat skewed to the left, though not extremely
# and has a maximum around somewhere around 90
import matplotlib.pyplot as plt
y.hist(bins='auto')
# start by loading the dataset and doing a quick first look
from sklearn.datasets import load_diabetes
X, y = load_diabetes(as_frame=True, return_X_y=True)
print(X.shape)
X.head()
//program to find max of 4 integers;
#include <iostream>
#include<iomanip>
using namespace std;
int main() {
  int n1,n2,n3,n4,max;
  cout<<"enter 4 numbers "<<endl;
  cin>>n1>>n2>>n3>>n4;
  max = (n1 > n2) ? (n1 > n3 ? (n1 > n4 ? n1 : n4) : (n3 > n4 ? n3 : n4)) : (n2 > n3 ? (n2 > n4 ? n2 : n4) : (n3 > n4 ? n3 : n4));
  cout<<max<<endl;

    return 0;
}
#include <iostream>
#include<iomanip>
using namespace std;


int fun2(int ,int ,int );

int main() {
    int a,b,c;
    cout<<"enter three numbers"<<endl;
    cin>>a>>b>>c;
   cout<<fun2;
  

    return 0;
}

int fun2(int a,int b,int c){
    cout<<a-b+c;
    return 0;
}
  #include <stdio.h>

int main() {
    int std,marks,count=1,total=0;
    int sum=0;
    while(count){
        printf("enter marks  :");
        scanf("%d",&marks);
      
      sum=sum+marks;
      count++;
      total++;
      if(marks==888)
      break;
    }
   int avg=(sum-888)/total;
    printf("average is : %d",avg);
}
  #include <stdio.h>

int main() {
    int std,marks,count=1;
    int sum=0;
    while(count<=10){
        printf("enter marks  :");
        scanf("%d",&marks);
      
      sum=sum+marks;
      count++;
    }
   int avg=sum/10;
    printf("average is : %d",avg);
}
/*blog-kariera gridy stejna vyska*/

@media only screen and (min-width: 768px) {
.et_new_grid_blog .et_pb_post {
min-height: 520px;
max-height:520px;
}
}
<?xml version="1.0" encoding="utf-8"?>
<androidx.constraintlayout.widget.ConstraintLayout xmlns:android="http://schemas.android.com/apk/res/android"
    xmlns:app="http://schemas.android.com/apk/res-auto"
    xmlns:tools="http://schemas.android.com/tools"
    android:layout_width="match_parent"
    android:layout_height="match_parent"
    tools:context=".RegisterActivity"
    android:background="@drawable/back2">

    <EditText
        android:id="@+id/editTextRegPassword"
        android:layout_width="330dp"
        android:layout_height="53dp"
        android:layout_marginTop="28dp"
        android:background="@drawable/input_bg"
        android:drawableLeft="@drawable/ic_baseline_security_24"
        android:ems="10"
        android:hint="Password"
        android:inputType="textPersonName"
        android:paddingLeft="20dp"
        android:paddingTop="10dp"
        android:paddingRight="10dp"
        android:paddingBottom="10dp"
        android:text="Password"
        android:textColor="#FFFFFF"
        app:layout_constraintEnd_toEndOf="parent"
        app:layout_constraintHorizontal_bias="0.493"
        app:layout_constraintStart_toStartOf="parent"
        app:layout_constraintTop_toBottomOf="@+id/editTextRegemail" />

    <EditText
        android:id="@+id/editTextRegConfirmPassword"
        android:layout_width="330dp"
        android:layout_height="53dp"
        android:layout_marginTop="28dp"
        android:background="@drawable/input_bg"
        android:drawableLeft="@drawable/ic_baseline_security_24"
        android:ems="10"
        android:hint="Password"
        android:inputType="textPersonName"
        android:paddingLeft="20dp"
        android:paddingTop="10dp"
        android:paddingRight="10dp"
        android:paddingBottom="10dp"
        android:text="Confirm Password"
        android:textColor="#FFFFFF"
        app:layout_constraintEnd_toEndOf="parent"
        app:layout_constraintHorizontal_bias="0.493"
        app:layout_constraintStart_toStartOf="parent"
        app:layout_constraintTop_toBottomOf="@+id/editTextRegPassword" />

    <TextView
        android:id="@+id/textView"
        android:layout_width="227dp"
        android:layout_height="58dp"
        android:selectAllOnFocus="true"
        android:shadowColor="#000000"
        android:text="HealthCare"
        android:textAlignment="center"
        android:textAppearance="@style/TextAppearance.AppCompat.Body1"
        android:textColor="#FFFFFF"
        android:textColorHint="#000000"
        android:textSize="34sp"
        android:textStyle="bold"
        app:layout_constraintBottom_toBottomOf="parent"
        app:layout_constraintEnd_toEndOf="parent"
        app:layout_constraintHorizontal_bias="0.44"
        app:layout_constraintStart_toStartOf="parent"
        app:layout_constraintTop_toTopOf="parent"
        app:layout_constraintVertical_bias="0.041" />

    <TextView
        android:id="@+id/textView2"
        android:layout_width="204dp"
        android:layout_height="43dp"
        android:text="Registration"
        android:textColor="#FFFDFD"
        android:textSize="34sp"
        android:textStyle="bold"
        app:layout_constraintBottom_toBottomOf="parent"
        app:layout_constraintEnd_toEndOf="parent"
        app:layout_constraintStart_toStartOf="parent"
        app:layout_constraintTop_toBottomOf="@+id/textView"
        app:layout_constraintVertical_bias="0.09" />

    <EditText
        android:id="@+id/editTextRegUsername"
        android:layout_width="330dp"
        android:layout_height="53dp"
        android:layout_marginTop="48dp"
        android:background="@drawable/input_bg"
        android:drawableLeft="@drawable/ic_baseline_person_24"
        android:ems="10"
        android:inputType="textPersonName"
        android:paddingLeft="20dp"
        android:paddingTop="10dp"
        android:paddingRight="10dp"
        android:paddingBottom="10dp"
        android:text="Username"
        android:textColor="#FFFFFF"
        app:layout_constraintEnd_toEndOf="parent"
        app:layout_constraintHorizontal_bias="0.493"
        app:layout_constraintStart_toStartOf="parent"
        app:layout_constraintTop_toBottomOf="@+id/textView2" />

    <EditText
        android:id="@+id/editTextRegemail"
        android:layout_width="330dp"
        android:layout_height="53dp"
        android:layout_marginTop="28dp"
        android:background="@drawable/input_bg"
        android:drawableLeft="@drawable/ic_baseline_email_24"
        android:ems="10"
        android:inputType="textPersonName"
        android:paddingLeft="20dp"
        android:paddingTop="10dp"
        android:paddingRight="10dp"
        android:paddingBottom="10dp"
        android:text="Email"
        android:textColor="#FFFFFF"
        app:layout_constraintEnd_toEndOf="parent"
        app:layout_constraintHorizontal_bias="0.493"
        app:layout_constraintStart_toStartOf="parent"
        app:layout_constraintTop_toBottomOf="@+id/editTextRegUsername" />

    <Button
        android:id="@+id/buttonregister"
        android:layout_width="326dp"
        android:layout_height="48dp"
        android:layout_marginTop="28dp"
        android:background="@drawable/btn_bg"
        android:text="REGISTER"
        app:layout_constraintEnd_toEndOf="parent"
        app:layout_constraintHorizontal_bias="0.494"
        app:layout_constraintStart_toStartOf="parent"
        app:layout_constraintTop_toBottomOf="@+id/editTextRegConfirmPassword" />

    <TextView
        android:id="@+id/textViewExisting"
        android:layout_width="127dp"
        android:layout_height="28dp"
        android:paddingTop="5dp"
        android:text="Already exist user"
        android:textAlignment="center"
        android:textAllCaps="false"
        android:textColor="#F4F4F4"
        app:layout_constraintBottom_toBottomOf="parent"
        app:layout_constraintEnd_toEndOf="parent"
        app:layout_constraintStart_toStartOf="parent"
        app:layout_constraintTop_toBottomOf="@+id/buttonregister"
        app:layout_constraintVertical_bias="0.559" />
</androidx.constraintlayout.widget.ConstraintLayout>
<?xml version="1.0" encoding="utf-8"?>
<androidx.constraintlayout.widget.ConstraintLayout xmlns:android="http://schemas.android.com/apk/res/android"
    xmlns:app="http://schemas.android.com/apk/res-auto"
    xmlns:tools="http://schemas.android.com/tools"
    android:layout_width="match_parent"
    android:layout_height="match_parent"
    tools:context=".LoginActivity"
    android:background="@drawable/back1">

    <EditText
        android:id="@+id/editTextLoginPassword"
        android:layout_width="330dp"
        android:layout_height="53dp"
        android:layout_marginTop="28dp"
        android:background="@drawable/input_bg"
        android:drawableLeft="@drawable/ic_baseline_security_24"
        android:ems="10"
        android:hint="Password"
        android:inputType="textPassword"
        android:paddingLeft="20dp"
        android:paddingTop="10dp"
        android:paddingRight="10dp"
        android:paddingBottom="10dp"
        android:text="Password"
        android:textColor="#FFFFFF"
        app:layout_constraintEnd_toEndOf="parent"
        app:layout_constraintHorizontal_bias="0.493"
        app:layout_constraintStart_toStartOf="parent"
        app:layout_constraintTop_toBottomOf="@+id/editTextLoginUsername" />

    <TextView
        android:id="@+id/textView"
        android:layout_width="227dp"
        android:layout_height="58dp"
        android:selectAllOnFocus="true"
        android:shadowColor="#000000"
        android:text="HealthCare"
        android:textAlignment="center"
        android:textAppearance="@style/TextAppearance.AppCompat.Body1"
        android:textColor="#FFFFFF"
        android:textColorHint="#000000"
        android:textSize="34sp"
        android:textStyle="bold"
        app:layout_constraintBottom_toBottomOf="parent"
        app:layout_constraintEnd_toEndOf="parent"
        app:layout_constraintStart_toStartOf="parent"
        app:layout_constraintTop_toTopOf="parent"
        app:layout_constraintVertical_bias="0.075"
        />

    <TextView
        android:id="@+id/textView2"
        android:layout_width="86dp"
        android:layout_height="41dp"
        android:text="Login"
        android:textColor="#FFFDFD"
        android:textSize="34sp"
        android:textStyle="bold"
        app:layout_constraintBottom_toBottomOf="parent"
        app:layout_constraintEnd_toEndOf="parent"
        app:layout_constraintStart_toStartOf="parent"
        app:layout_constraintTop_toBottomOf="@+id/textView"
        app:layout_constraintVertical_bias="0.11"
        />

    <EditText
        android:id="@+id/editTextLoginUsername"
        android:layout_width="330dp"
        android:layout_height="53dp"
        android:layout_marginTop="88dp"
        android:background="@drawable/input_bg"
        android:drawableLeft="@drawable/ic_baseline_person_24"
        android:ems="10"
        android:inputType="textPersonName"
        android:paddingLeft="20dp"
        android:paddingTop="10dp"
        android:paddingRight="10dp"
        android:paddingBottom="10dp"
        android:text="Username"
        android:textColor="#FFFFFF"
        app:layout_constraintEnd_toEndOf="parent"
        app:layout_constraintHorizontal_bias="0.493"
        app:layout_constraintStart_toStartOf="parent"
        app:layout_constraintTop_toBottomOf="@+id/textView2" />

    <Button
        android:id="@+id/buttonLogin"
        android:layout_width="326dp"
        android:layout_height="48dp"
        android:layout_marginTop="56dp"
        android:background="@drawable/btn_bg"
        android:text="Login"
        app:layout_constraintEnd_toEndOf="parent"
        app:layout_constraintHorizontal_bias="0.47"
        app:layout_constraintStart_toStartOf="parent"
        app:layout_constraintTop_toBottomOf="@+id/editTextLoginPassword" />

    <TextView
        android:id="@+id/textViewNewUser"
        android:layout_width="127dp"
        android:layout_height="28dp"
        android:paddingTop="5dp"
        android:text="Register/New User"
        android:textAlignment="center"
        android:textAllCaps="false"
        android:textColor="#F4F4F4"
        app:layout_constraintBottom_toBottomOf="parent"
        app:layout_constraintEnd_toEndOf="parent"
        app:layout_constraintStart_toStartOf="parent"
        app:layout_constraintTop_toBottomOf="@+id/buttonLogin"
        app:layout_constraintVertical_bias="0.152" />

</androidx.constraintlayout.widget.ConstraintLayout>
def liked_users
    @post = Post.find(params[:post_id])
    @likes = @post.likes
    response = @likes.map do |like|
      user = like.user
      avatar = url_for(user.avatar)
      user_name = user.username
      {
        userName:user_name,
        avatar: avatar,
      }
    end
    # @users = @likes.map {|like| like.user}
    # @avatars = @users.map{|user| user.avatar }
    render json: {users: response}

  end
package com.example.healthcareproject;

import static com.example.healthcareproject.R.id.editTextRegPassword;

import androidx.appcompat.app.AppCompatActivity;

import android.annotation.SuppressLint;
import android.content.Intent;
import android.os.Bundle;
import android.view.View;
import android.widget.Button;
import android.widget.EditText;
import android.widget.TextView;
import android.widget.Toast;

public class RegisterActivity extends AppCompatActivity {

    EditText edusername,edpassword,edemail,edconfirm;
    Button bt;
    TextView txt;


    @SuppressLint("MissingInflatedId")
    @Override
    protected void onCreate(Bundle savedInstanceState) {
        super.onCreate(savedInstanceState);
        setContentView(R.layout.activity_register);

        edusername = findViewById(R.id.editTextRegUsername);
        edpassword = findViewById(editTextRegPassword);
        edemail =findViewById(R.id.editTextRegemail);
        edconfirm =findViewById(R.id.editTextRegConfirmPassword);
        bt =findViewById(R.id.buttonregister);
        txt =findViewById(R.id.textViewExisting);

        txt.setOnClickListener(new View.OnClickListener() {
            @Override
            public void onClick(View view) {
                startActivity(new Intent(RegisterActivity.this,LoginActivity.class));
            }
        });

        bt.setOnClickListener(new View.OnClickListener() {
            @Override
            public void onClick(View view) {
                String username = edusername.getText().toString();
                String password = edpassword.getText().toString();
                String confirm = edconfirm.getText().toString();
                String email = edemail.getText().toString();
                database db = new database(getApplicationContext(),"healthcareProject",null,1);

                if(username.length()==0 || password.length()==0 || email.length()==0 | confirm.length()==0){
                    Toast.makeText(getApplicationContext(), "Invalid Input", Toast.LENGTH_SHORT).show();
                }else{
                    if(password.compareTo(confirm)==0){
                        if(isValid(password)){
                            Toast.makeText(getApplicationContext(), "Registered Successfully", Toast.LENGTH_SHORT).show();
                            startActivity(new Intent(RegisterActivity.this,LoginActivity.class));
                        }else{
                            Toast.makeText(getApplicationContext(), "Password must contain at least 8 characters", Toast.LENGTH_SHORT).show();
                        }
                    }else{
                        Toast.makeText(getApplicationContext(), "Password and confirm Password didn't matched", Toast.LENGTH_SHORT).show();
                    }
                }
            }
        });
    }

    private boolean isValid(String Passwordcheck) {
            int f1=0,f2=0,f3=0;
            if(Passwordcheck.length() < 8){
                return false;
            }else{
                for(int i=0;i<Passwordcheck.length();i++){
                    if(Character.isLetter(Passwordcheck.charAt(i))){
                        f1=1;
                    }
                }
                for(int j=0;j<Passwordcheck.length();j++){
                    if(Character.isDigit(Passwordcheck.charAt(j))){
                        f2=1;
                    }
                }
                for(int k=0;k<Passwordcheck.length();k++){
                    char c =Passwordcheck.charAt(k);
                    if(c>= 33 && c<=46 || c==64){
                        f3=1;
                    }
                }
                if(f1==1 && f2==1 && f3==1){
                    return true;
                }
                return false;
            }
    }

}
package com.example.healthcareproject;

import androidx.appcompat.app.AppCompatActivity;

import android.content.Intent;
import android.os.Bundle;
import android.view.View;
import android.widget.Button;
import android.widget.EditText;
import android.widget.TextView;
import android.widget.Toast;

public class LoginActivity extends AppCompatActivity {


    EditText edusername,edpassword;
    Button bt;
    TextView txt;
    @Override
    protected void onCreate(Bundle savedInstanceState){
        super.onCreate(savedInstanceState);
        setContentView(R.layout.activity_login);

        edpassword =findViewById(R.id.editTextLoginPassword);
        edusername = findViewById(R.id.editTextLoginUsername);
        bt = findViewById(R.id.buttonLogin);
        txt= findViewById(R.id.textViewNewUser);

        bt.setOnClickListener(new View.OnClickListener() {
            @Override
            public void onClick(View view) {
                String username = edusername.getText().toString();
                String password = edpassword.getText().toString();
                database db = new database(getApplicationContext(),"healthcareproject",null,1);

                if(username.length()==0 || password.length()==0){
                    Toast.makeText(getApplicationContext(),"Invalid input",Toast.LENGTH_SHORT).show();
                }else{
                    if(db.login(username,password)==1) {
                        Toast.makeText(getApplicationContext(), "Login successfully", Toast.LENGTH_SHORT).show();
                    }else{
                        Toast.makeText(getApplicationContext(),"Invalid Username and password",Toast.LENGTH_SHORT).show();
                    }
                }
            }
        });

        txt.setOnClickListener(new View.OnClickListener() {
            @Override
            public void onClick(View view) {
                startActivity(new Intent());
            }
        });
    }
%jdbc(hive)
SET tez.am.resource.memory.mb = 51200;
SET tez.queue.name = fra_analytics;
SET hive.execution.engine = tez;

SELECT A.receiveruser, repeat_amt, repeat_count, total_amount, total_count, rnk,
    ((repeat_amt * repeat_count) / total_amount) as amount_perc,
    repeat_count / total_count as count_perc
FROM
    (SELECT receiveruser,repeat_amt,repeat_count, rnk
    FROM 
(
    SELECT receiveruser, totaltransactionamount as repeat_amt, COUNT(DISTINCT transaction_id) as repeat_count,
    ROW_NUMBER() OVER (PARTITION BY receiveruser,totaltransactionamount ORDER BY COUNT(DISTINCT transaction_id) DESC)  rnk

    FROM fraud.transaction_details_v3
        WHERE updated_date BETWEEN '2023-04-01' AND '2023-04-30'
            AND pay_transaction_status = 'COMPLETED'
            AND sendertype = 'INTERNAL_USER'
            AND workflowtype IN ('CONSUMER_TO_MERCHANT', 'CONSUMER_TO_MERCHANT_V2')
            AND (receiversubtype IN ('P2P_MERCHANT', 'P2M_LIMITED') OR origination_mode = 'B2B_PG')
    GROUP BY totaltransactionamount, receiveruser   
    )X
    where rnk < 3) A
LEFT JOIN
    (SELECT receiveruser, SUM(totaltransactionamount) as total_amount, COUNT(DISTINCT transaction_id) as total_count
    FROM fraud.transaction_details_v3
    WHERE updated_date BETWEEN '2023-04-01' AND '2023-04-30'
        AND pay_transaction_status = 'COMPLETED'
        AND sendertype = 'INTERNAL_USER'
        AND workflowtype IN ('CONSUMER_TO_MERCHANT', 'CONSUMER_TO_MERCHANT_V2')
        AND (receiversubtype IN ('P2P_MERCHANT', 'P2M_LIMITED') OR origination_mode = 'B2B_PG')
    GROUP BY receiveruser
    having COUNT(DISTINCT transaction_id)>100) B
ON A.receiveruser = B.receiveruser
--WHERE ((repeat_amt * repeat_count) / total_amount) > 0.3
--    AND repeat_count / total_count > 0.3
ORDER BY count_perc DESC, amount_perc DESC
limit 1000;
DATEADD({{datetimefield}}, 4, ‘weeks’ (or the abbreviation of ‘w’).
import pyarrow.parquet as pq

df = pq.read_table(source=your_file_path).to_pandas()
using System;

class Program
{
    static void Main()
    {
        Console.WriteLine("Olá, Mundo!");
    }
}
string str = "first;second";
string[] array = str.Split(';');
char separator = checkedComboBoxEdit1.Properties.SeparatorChar;
string result = string.Empty; 
foreach (var element in array){
   result += element + separator;
}

checkedComboBoxEdit1.SetEditValue(result);
SELECT
EmailAddress,AMC_Status__c,Job_Role__c,AMC_Last_Activity_Date__c, Industry_Level_2_Master__c, Industry__c, SubscriberKey, Consent_Level_Summary__c,
Business_Unit__c, Region, Cat_Campaign_Most_Recent__c , Mailing_Country__c, LastModifiedDate, Language__c AS LanguageCode, CreatedDate,
FirstName, LastName, SuppressTracking


FROM (
SELECT
DISTINCT LOWER(Email__c) AS EmailAddress,i.Region__c AS Region, c.AMC_Status__c, c.Job_Role__c, c.AMC_Last_Activity_Date__c, i.Industry_Level_2_Master__c, i.Industry__c, c.Id AS SubscriberKey, c.Consent_Level_Summary__c, i.Business_Unit__c, i.Cat_Campaign_Most_Recent__c, i.Mailing_Country__c, i.LastModifiedDate, c.Language__c, i.CreatedDate, c.FirstName, c.LastName, s.SuppressTracking,

ROW_NUMBER() OVER(PARTITION BY c.ID ORDER BY i.LastModifiedDate DESC) as RowNum

FROM ent.Interaction__c_Salesforce i

JOIN ent.Contact_Salesforce_1 c ON LOWER(c.Email) = LOWER(i.Email__c)
FULL OUTER JOIN ent.CountryBasedSuppression s ON s.CountryCode = i.Mailing_Country__c

WHERE
(
i.Business_Unit__c LIKE '%Electric Power%' OR
i.Business_Unit__c = 'EP' OR
i.Industry__c LIKE '%Electric Power%' OR
i.Industry_Level_2_Master__c in ('Data Centers', 'Emergency Power', 'Power Plants', 'Power Generation')
)
    AND Email__c IS NOT NULL
    AND ((i.Mailing_Country__c = 'US' AND  c.Consent_Level_Summary__c in ('Express Consent' , 'Validated Consent', 'Legacy Consent')) OR (i.Mailing_Country__c != 'US' AND  c.Consent_Level_Summary__c in ('Express Consent' , 'Validated Consent')))
    AND Email__c NOT LIKE '%@cat.com'
    AND i.Mailing_Country__c IS NOT NULL
    AND c.AMC_Status__c = 'Active'
    AND c.AMC_Last_Activity_Record_ID__c <> 'Not Marketable'
    AND  (i.System_Language__c like 'en_%' OR (i.Mailing_Country__c != 'CA' AND i.System_Language__c is null))
   
        )t2

WHERE RowNum = 1
#include<stdio.h>
#include<stdlib.h>
#include<conio.h>
#define MAX_NODES 20
int visited[MAX_NODES];
int graph[MAX_NODES][MAX_NODES];
int i,j;
struct Queue {
    int front, rear, size;
    int capacity;
    int* array;
};

struct Queue* createQueue(int capacity) {
    struct Queue* queue = (struct Queue*)malloc(sizeof(struct Queue));
    queue->capacity = capacity;
    queue->front = queue->size = 0;
    queue->rear = capacity - 1;
    queue->array = (int*)malloc(queue->capacity * sizeof(int));
    return queue;
}

int isFull(struct Queue* queue) {
    return (queue->size == queue->capacity);
}

int isEmpty(struct Queue* queue) {
    return (queue->size == 0);
}

void enqueue(struct Queue* queue, int item) {
    if (isFull(queue)) return;
    queue->rear = (queue->rear + 1) % queue->capacity;
    queue->array[queue->rear] = item;
    queue->size = queue->size + 1;
}

int dequeue(struct Queue* queue) {
    int item;
    if (isEmpty(queue)) return -1;
    item = queue->array[queue->front];
    queue->front = (queue->front + 1) % queue->capacity;
    queue->size = queue->size - 1;
    return item;
}

void bfs(int start_node, int n) {
    struct Queue* queue = createQueue(n);
    visited[start_node] = 1;
    enqueue(queue, start_node);
    printf("BFS traversal starting from node %d: ", start_node);

    while (!isEmpty(queue)) {
	int current_node = dequeue(queue);
	printf("%d ", current_node);

	for (i = 0; i < n; i++) {
	    if (graph[current_node][i] && !visited[i]) {
		visited[i] = 1;
		enqueue(queue, i);
	    }
	}
    }
    free(queue);
}

int main() {
    int n,start_node;
    printf("Enter the number of nodes (Less than or equal to %d): ", MAX_NODES);
    scanf("%d", &n);

    printf("Enter the adjacency matrix (0 or 1):\n");
    for (i = 0; i < n; i++) {
	for (j = 0; j < n; j++) {
	    printf("i=%d, j=%d Enter: ",i,j);
	    scanf("%d", &graph[i][j]);
	}
    }
    printf("Enter the starting node for BFS: ");
    scanf("%d", &start_node);

    bfs(start_node, n);
    printf("\n");
    getch();
    return 0;
}
#include <stdio.h>
#include<conio.h>
int n,i,j;
int graph[20][20];
int visited[20];
void dfs(int node, int n) {
    printf("%d ", node);
    visited[node] = 1;
    for (i = 0; i < n; i++) {
	if (graph[node][i] && !visited[i]) {
	    dfs(i, n);
	}
    }
}

int main() {
    int start_node;
    printf("Enter the number of nodes(Less than 20): ");
    scanf("%d", &n);

    // for (int i = 0; i < n; i++) {
    //     visited[i] = 0;
    //     for (int j = 0; j < n; j++) {
    //         graph[i][j] = 0;
    //     }
    // }

    printf("Enter the adjacency matrix (0 or 1):\n");
    for (i = 0; i < n; i++) {
	for (j = 0; j < n; j++) {
	    printf("i=%d, j=%d Enter: ",i,j);
	    scanf("%d", &graph[i][j]);
	}
    }
    printf("Enter the starting node for DFS: ");
    scanf("%d", &start_node);

    printf("DFS traversal starting from node %d: ", start_node);
    dfs(start_node, n);
    printf("\n");
    getch();
    return 0;
}
}
.widget.skin70 .cpSlider{
display:flex;
}
.widget.skin45 .cpCarousel .arrow {
opacity: 1;
} 

.widget.skin45 .cpCarousel .arrow.prev:before {
background: url() no-repeat;
background-size: contain;

}

.widget.skin45 .cpCarousel .arrow.next:before {
background: url() no-repeat;
background-size: contain;

}

.widget.skin45 .cpCarousel .arrow.prev:after {
border-right: none;
}

.widget.skin45 .cpCarousel .arrow.next:after {
border-left: none;
}

.widget.skin45 .cpCarousel .arrow:before{
border-radius:0 !important;
height:35px;
width:35px;
#include<stdio.h>
void main()
{
    int wit_cash;
    printf("how much cash do you want to with draw\n");
    scanf("%d",&wit_cash);
    int hnd=wit_cash/100;
    int fif=wit_cash/50;
    int ten=wit_cash/10;
    printf("100 : %d\n",hnd);
     printf("50 : %d\n",fif);
      printf("tens : %d\n",ten);
    
}
9562eee93cf0e86f22b0465e0af8dd18
package policy

default allow = false

user_shifts_api_endpoint = sprintf("http://user-shifts-api:8081/api/v1/userShifts/%v", [input.user.userId])

headers = {
   "Content-Type": "application/json",
   "Accept": "application/json"
}

available_shifts = http.send(
 {
 "method": "get",
 "url": user_shifts_api_endpoint,
 "headers": headers
 }
)
response = available_shifts
allow {
   some i
   shiftStart = time.parse_rfc3339_ns(response[i].shiftStart)
   shiftEnd = time.parse_rfc3339_ns(response[i].shiftEnd)
   now = time.now_ns()

   shiftStart <= now
   now < shiftEnd
}
import React, { useRef, useEffect } from "react";
import styled, { keyframes } from "styled-components";
import PropTypes from "prop-types";
import digitalMarketing from "../assets/digitalMarketing.png";

const WrapperContainer = styled.div`
  height: 100%;
  display: flex;
  justify-content: center;
  align-items: center;
  flex-direction: column;
  // background-color: #ccc;
`;

const Wrapper = ({ children }) => {
  return <WrapperContainer>{children}</WrapperContainer>;
};

const moveLeft = keyframes`
  from {
    transform: translateX(0);
  }
  to {
    transform: translateX(-100%);
  }
`;

const MarqueeContainer = styled.div`
  position: relative;
  width: 100vw;
  margin-top: 20px;
  padding: 10px 0;
  background-color: white;
  overflow: hidden;
  &:hover {
    // animation-play-state: paused;
  }
  &::after {
    position: absolute;
    content: "";
    width: 100%;
    height: 100%;
    top: 0;
    left: 0;
    pointer-events: none;
    // background-image: linear-gradient(
    //   to right,
    //   #ccc,
    //   transparent 20%,
    //   transparent 80%,
    //   #ccc
    );
  }
`;

const MarqueeArea = styled.div`
  display: inline-block;
  white-space: nowrap;
  transform: translateX(-${(props) => props.move}px);
  animation: ${moveLeft} ${(props) => props.time}s linear infinite
    ${(props) => (props.toRight ? " reverse" : "")};
  animation-play-state: running;
`;

const MarqueeItem = styled.div`
  position: relative;
  display: inline-block;
  margin-right: 2em;
`;

const getFillList = (list, copyTimes = 1) => {
  let newlist = [];
  for (let i = 0; i < copyTimes; i++) {
    newlist.push(...list);
  }
  return newlist;
};

const Marquee = ({ images, time, toRight, ...props }) => {
  const marqueeContainer = useRef(null);
  const marqueeArea = useRef(null);
  const [moveLeft, setMoveLeft] = React.useState(0);
  const [showImages, setShowImages] = React.useState(images);
  const [realTime, setRealTime] = React.useState(time);

  useEffect(() => {
    const containerWidth = Math.floor(marqueeContainer.current.offsetWidth);
    const areaWidth = Math.floor(marqueeArea.current.scrollWidth);
    const copyTimes = Math.max(2, Math.ceil((containerWidth * 2) / areaWidth));
    const newMoveLeft = areaWidth * Math.floor(copyTimes / 2);
    const newRealTime =
      time * parseFloat((newMoveLeft / containerWidth).toFixed(2));
    setShowImages(getFillList(images, copyTimes));
    setMoveLeft(newMoveLeft);
    setRealTime(newRealTime);
  }, [images]);

  return (
    <MarqueeContainer ref={marqueeContainer} {...props}>
      <MarqueeArea
        ref={marqueeArea}
        move={moveLeft}
        time={realTime}
        toRight={toRight}
      >
        {showImages.map((image, index) => {
          return (
            <MarqueeItem key={index}>
              <article class="w-[400px] h-[450px] relative isolate flex flex-col justify-end overflow-hidden rounded-2xl px-8 pb-8 pt-40 max-w-sm mx-auto mt-24">
                <img
                  src={image}
                  alt="University of Southern California"
                  class="absolute inset-0 h-full w-full object-cover"
                />
                <div class="absolute inset-0 bg-gradient-to-t from-gray-900 via-gray-900/40"></div>
                <h3 class="z-10 mt-3 text-3xl font-bold text-white">MBG</h3>
               
              </article>
            </MarqueeItem>
          );
        })}
      </MarqueeArea>
    </MarqueeContainer>
  );
};

Marquee.propTypes = {
  images: PropTypes.array,
  time: PropTypes.number,
  toRight: PropTypes.bool,
};

Marquee.defaultProps = {
  images: [],
  time: 10,
};

function Awards() {
  // Example image URLs
  const IMAGE_LIST = [
    "https://lh3.googleusercontent.com/p/AF1QipMoYh6KmURyG6fGOD-UIev9t-Au1NVtXWMGLnXO=s1360-w1360-h1020",
    "https://lh3.googleusercontent.com/p/AF1QipNIW6HWLT_HC7L4vZmVn2ohyfxlC8DkYITFM1-O=s1360-w1360-h1020",
    "https://lh3.googleusercontent.com/p/AF1QipMoYh6KmURyG6fGOD-UIev9t-Au1NVtXWMGLnXO=s1360-w1360-h1020",
    "https://lh3.googleusercontent.com/p/AF1QipNIW6HWLT_HC7L4vZmVn2ohyfxlC8DkYITFM1-O=s1360-w1360-h1020",
    "https://lh3.googleusercontent.com/p/AF1QipMoYh6KmURyG6fGOD-UIev9t-Au1NVtXWMGLnXO=s1360-w1360-h1020",
    "https://lh3.googleusercontent.com/p/AF1QipNIW6HWLT_HC7L4vZmVn2ohyfxlC8DkYITFM1-O=s1360-w1360-h1020",
    "https://lh3.googleusercontent.com/p/AF1QipMoYh6KmURyG6fGOD-UIev9t-Au1NVtXWMGLnXO=s1360-w1360-h1020",
    "https://lh3.googleusercontent.com/p/AF1QipNIW6HWLT_HC7L4vZmVn2ohyfxlC8DkYITFM1-O=s1360-w1360-h1020",
    "https://lh3.googleusercontent.com/p/AF1QipMoYh6KmURyG6fGOD-UIev9t-Au1NVtXWMGLnXO=s1360-w1360-h1020",
    "https://lh3.googleusercontent.com/p/AF1QipNIW6HWLT_HC7L4vZmVn2ohyfxlC8DkYITFM1-O=s1360-w1360-h1020",
    "https://lh3.googleusercontent.com/p/AF1QipMoYh6KmURyG6fGOD-UIev9t-Au1NVtXWMGLnXO=s1360-w1360-h1020",
    "https://lh3.googleusercontent.com/p/AF1QipNIW6HWLT_HC7L4vZmVn2ohyfxlC8DkYITFM1-O=s1360-w1360-h1020",
    "https://lh3.googleusercontent.com/p/AF1QipMoYh6KmURyG6fGOD-UIev9t-Au1NVtXWMGLnXO=s1360-w1360-h1020",
    "https://lh3.googleusercontent.com/p/AF1QipNIW6HWLT_HC7L4vZmVn2ohyfxlC8DkYITFM1-O=s1360-w1360-h1020",
    "https://lh3.googleusercontent.com/p/AF1QipMoYh6KmURyG6fGOD-UIev9t-Au1NVtXWMGLnXO=s1360-w1360-h1020",
    "https://lh3.googleusercontent.com/p/AF1QipNIW6HWLT_HC7L4vZmVn2ohyfxlC8DkYITFM1-O=s1360-w1360-h1020",
    "https://lh3.googleusercontent.com/p/AF1QipMoYh6KmURyG6fGOD-UIev9t-Au1NVtXWMGLnXO=s1360-w1360-h1020",
    "https://lh3.googleusercontent.com/p/AF1QipNIW6HWLT_HC7L4vZmVn2ohyfxlC8DkYITFM1-O=s1360-w1360-h1020",
    "https://lh3.googleusercontent.com/p/AF1QipMoYh6KmURyG6fGOD-UIev9t-Au1NVtXWMGLnXO=s1360-w1360-h1020",
    "https://lh3.googleusercontent.com/p/AF1QipNIW6HWLT_HC7L4vZmVn2ohyfxlC8DkYITFM1-O=s1360-w1360-h1020",
    "https://lh3.googleusercontent.com/p/AF1QipMoYh6KmURyG6fGOD-UIev9t-Au1NVtXWMGLnXO=s1360-w1360-h1020",
    "https://lh3.googleusercontent.com/p/AF1QipNIW6HWLT_HC7L4vZmVn2ohyfxlC8DkYITFM1-O=s1360-w1360-h1020",
    "https://lh3.googleusercontent.com/p/AF1QipMoYh6KmURyG6fGOD-UIev9t-Au1NVtXWMGLnXO=s1360-w1360-h1020",
    "https://lh3.googleusercontent.com/p/AF1QipNIW6HWLT_HC7L4vZmVn2ohyfxlC8DkYITFM1-O=s1360-w1360-h1020",
  ];

  return (
    <div className="flex-col justify-center p-6 text-center ">
      <h1 className="text-4xl font-bold leading-tight sm:text-5xl mb-3">
        {" "}
        Awards{" "}
      </h1>
      <Wrapper>
        <Marquee images={IMAGE_LIST} time={13} />
      </Wrapper>
    </div>
  );
}

export default Awards;
function load_webtitan() {
    wp_enqueue_script( 'webtitan', get_stylesheet_directory_uri() . '/webtitan.js', array( 'jquery' ) );
}

add_action('wp_enqueue_scripts', 'load_webtitan');
#include <iostream> 
#include<iomanip>
using namespace std;  
int main() {  
int n1=1;
for(int i=1;i<=100;i++){
   
    n1=n1*2;
}
cout<<n1;
    

   return 0;  
   }  
const express = require('express');
const app = express();
const port = 3000;

app.use(express.json()); // Parse JSON request bodies
app.use(express.urlencoded({ extended: true })); // Parse URL-encoded request bodies

app.post('/api/upload', (req, res) => {
  // Access form data from req.body
  const formData = req.body;

  // Process the data as needed
  console.log('Form Data:', formData);

  res.send('Form data processed successfully.');
});

app.listen(port, () => {
  console.log(`Server is listening on port ${port}`);
});
import React from 'react'
import ReactCardSlider from "react-card-slider-component";


const slides = [
    {
      image: "https://picsum.photos/200/300",
      title: "This is a title",
      description: "This is a description"
      // clickEvent: sliderClick
    },
    {
      image: "https://picsum.photos/600/500",
      title: "This is a second title",
      description: "This is a second description"
      // clickEvent: sliderClick
    },
    {
      image: "https://picsum.photos/700/600",
      title: "This is a third title",
      description: "This is a third description"
      // clickEvent: sliderClick
    },
    {
      image: "https://picsum.photos/500/400",
      title: "This is a fourth title",
      description: "This is a fourth description"
      // clickEvent: sliderClick
    },
    {
      image: "https://picsum.photos/200/300",
      title: "This is a fifth title",
      description: "This is a fifth description"
      // clickEvent: sliderClick
    },
    {
      image: "https://picsum.photos/800/700",
      title: "This is a sixth title",
      description: "This is a sixth description"
      // clickEvent: sliderClick
    },
    {
      image: "https://picsum.photos/800/900",
      title: "This is a seventh title",
      description: "This is a seventh description"
      // clickEvent: sliderClick
    }
  ];

  


const Awards = () => {
  return (
    <>
     <div className="flex-col justify-center p-6 text-center">
        <h1 className="text-4xl font-bold leading-tight sm:text-5xl" > Awards </h1>
    <div className='flex justify-center ' style={{ marginTop: "5em" }}>
      <ReactCardSlider slides={slides} />
    </div>
    </div>
    </>
  )
}

export default Awards
import React, { useRef, useEffect } from 'react';
import styled, { keyframes } from 'styled-components';
import PropTypes from 'prop-types';
import digitalMarketing from "../assets/digitalMarketing.png"

const WrapperContainer = styled.div`
  height: 100%;
  display: flex;
  justify-content: center;
  align-items: center;
  flex-direction: column;
  background-color: #ccc;
`;

const Wrapper = ({ children }) => {
  return <WrapperContainer>{children}</WrapperContainer>;
};

const moveLeft = keyframes`
  from {
    transform: translateX(0);
  }
`;

const MarqueeContainer = styled.div`
  position: relative;
  width: 400px;
  margin-top: 20px;
  padding: 10px 0;
  background-color: white;
  overflow: hidden;
  &:hover {
    animation-play-state: paused;
  }
  &::after {
    position: absolute;
    content: "";
    width: 100%;
    height: 100%;
    top: 0;
    left: 0;
    pointer-events: none;
    background-image: linear-gradient(
      to right,
      #ccc,
      transparent 20%,
      transparent 80%,
      #ccc
    );
  }
`;

const MarqueeArea = styled.div`
  display: inline-block;
  white-space: nowrap;
  transform: translateX(-${(props) => props.move}px);
  animation: ${moveLeft} ${(props) => props.time}s linear infinite
    ${(props) => (props.toRight ? " reverse" : "")};
  animation-play-state: inherit;
`;

const MarqueeItem = styled.div`
  position: relative;
  display: inline-block;
  margin-right: 2em;
`;

const getFillList = (list, copyTimes = 1) => {
  let newlist = [];
  for (let i = 0; i < copyTimes; i++) {
    newlist.push(...list);
  }
  return newlist;
};

const Marquee = ({ images, time, toRight, ...props }) => {
  const marqueeContainer = useRef(null);
  const marqueeArea = useRef(null);
  const [moveLeft, setMoveLeft] = React.useState(0);
  const [showImages, setShowImages] = React.useState(images);
  const [realTime, setRealTime] = React.useState(time);

  useEffect(() => {
    const containerWidth = Math.floor(marqueeContainer.current.offsetWidth);
    const areaWidth = Math.floor(marqueeArea.current.scrollWidth);
    const copyTimes = Math.max(2, Math.ceil((containerWidth * 2) / areaWidth));
    const newMoveLeft = areaWidth * Math.floor(copyTimes / 2);
    const newRealTime = time * parseFloat((newMoveLeft / containerWidth).toFixed(2));
    setShowImages(getFillList(images, copyTimes));
    setMoveLeft(newMoveLeft);
    setRealTime(newRealTime);
  }, [images]);

  return (
    <MarqueeContainer ref={marqueeContainer} {...props}>
      <MarqueeArea ref={marqueeArea} move={moveLeft} time={realTime} toRight={toRight}>
        {showImages.map((image, index) => {
          return (
            <MarqueeItem key={index}>
              <img
                src={image}
                alt={`Image ${index + 1}`}
                width="100"
                height="100"
              />
            </MarqueeItem>
          );
        })}
      </MarqueeArea>
    </MarqueeContainer>
  );
};

Marquee.propTypes = {
  images: PropTypes.array,
  time: PropTypes.number,
  toRight: PropTypes.bool,
};

Marquee.defaultProps = {
  images: [],
  time: 10,
};

function Awards() {
  // Example image URLs
  const IMAGE_LIST = [digitalMarketing, digitalMarketing, digitalMarketing,digitalMarketing];

  return (
    <Wrapper>
      <Marquee images={IMAGE_LIST} time={5} />
    </Wrapper>
  );
}

export default Awards;
star

Sat Oct 28 2023 07:39:17 GMT+0000 (Coordinated Universal Time)

@usman_hamed

star

Sat Oct 28 2023 07:08:42 GMT+0000 (Coordinated Universal Time) https://amueller.github.io/aml/02-supervised-learning/05-linear-models-regression.html

@elham469

star

Sat Oct 28 2023 07:08:34 GMT+0000 (Coordinated Universal Time) https://amueller.github.io/aml/02-supervised-learning/05-linear-models-regression.html

@elham469

star

Sat Oct 28 2023 07:06:37 GMT+0000 (Coordinated Universal Time) https://amueller.github.io/aml/02-supervised-learning/05-linear-models-regression.html

@elham469

star

Sat Oct 28 2023 07:06:20 GMT+0000 (Coordinated Universal Time) https://amueller.github.io/aml/02-supervised-learning/05-linear-models-regression.html

@elham469

star

Sat Oct 28 2023 07:06:04 GMT+0000 (Coordinated Universal Time) https://amueller.github.io/aml/02-supervised-learning/05-linear-models-regression.html

@elham469

star

Sat Oct 28 2023 07:04:09 GMT+0000 (Coordinated Universal Time) https://amueller.github.io/aml/02-supervised-learning/05-linear-models-regression.html

@elham469

star

Sat Oct 28 2023 07:04:02 GMT+0000 (Coordinated Universal Time) https://amueller.github.io/aml/02-supervised-learning/05-linear-models-regression.html

@elham469

star

Sat Oct 28 2023 07:03:48 GMT+0000 (Coordinated Universal Time) https://amueller.github.io/aml/02-supervised-learning/05-linear-models-regression.html

@elham469

star

Sat Oct 28 2023 07:03:41 GMT+0000 (Coordinated Universal Time) https://amueller.github.io/aml/02-supervised-learning/05-linear-models-regression.html

@elham469

star

Sat Oct 28 2023 07:03:39 GMT+0000 (Coordinated Universal Time) https://amueller.github.io/aml/02-supervised-learning/05-linear-models-regression.html

@elham469

star

Sat Oct 28 2023 07:03:36 GMT+0000 (Coordinated Universal Time) https://amueller.github.io/aml/02-supervised-learning/05-linear-models-regression.html

@elham469

star

Sat Oct 28 2023 07:03:31 GMT+0000 (Coordinated Universal Time) https://amueller.github.io/aml/02-supervised-learning/05-linear-models-regression.html

@elham469

star

Sat Oct 28 2023 07:03:30 GMT+0000 (Coordinated Universal Time) https://amueller.github.io/aml/02-supervised-learning/05-linear-models-regression.html

@elham469

star

Sat Oct 28 2023 07:00:40 GMT+0000 (Coordinated Universal Time)

@yolobotoffender

star

Sat Oct 28 2023 05:35:01 GMT+0000 (Coordinated Universal Time) https://www.programiz.com/cpp-programming/online-compiler/

@PRAttAY2003 #c++

star

Fri Oct 27 2023 19:56:46 GMT+0000 (Coordinated Universal Time) https://help.steampowered.com/en/accountdata/SteamLoginHistory

@crzyrmn

star

Fri Oct 27 2023 19:55:58 GMT+0000 (Coordinated Universal Time) https://help.steampowered.com/en/accountdata/SteamLoginHistory

@crzyrmn

star

Fri Oct 27 2023 19:21:11 GMT+0000 (Coordinated Universal Time)

@yolobotoffender

star

Fri Oct 27 2023 18:59:13 GMT+0000 (Coordinated Universal Time)

@usman_hamed

star

Fri Oct 27 2023 18:50:00 GMT+0000 (Coordinated Universal Time) https://www.programiz.com/c-programming/online-compiler/

@usman_hamed

star

Fri Oct 27 2023 09:40:50 GMT+0000 (Coordinated Universal Time)

@seb_prjcts_be

star

Fri Oct 27 2023 09:06:58 GMT+0000 (Coordinated Universal Time)

@hedviga

star

Fri Oct 27 2023 09:01:27 GMT+0000 (Coordinated Universal Time)

@shru_09 #java

star

Fri Oct 27 2023 08:59:59 GMT+0000 (Coordinated Universal Time)

@shru_09 #java

star

Fri Oct 27 2023 08:57:23 GMT+0000 (Coordinated Universal Time)

@jakaria

star

Fri Oct 27 2023 07:39:55 GMT+0000 (Coordinated Universal Time)

@shru_09 #java

star

Fri Oct 27 2023 07:39:15 GMT+0000 (Coordinated Universal Time)

@shru_09 #java

star

Fri Oct 27 2023 06:42:12 GMT+0000 (Coordinated Universal Time)

@saumyatiwari

star

Fri Oct 27 2023 04:02:43 GMT+0000 (Coordinated Universal Time) https://jasonraisleger.com/airtable/airtable-date-formulas-with-examples-and-scenarios/

@SapphireElite

star

Fri Oct 27 2023 04:02:26 GMT+0000 (Coordinated Universal Time) https://jasonraisleger.com/airtable/airtable-date-formulas-with-examples-and-scenarios/

@SapphireElite

star

Fri Oct 27 2023 04:01:56 GMT+0000 (Coordinated Universal Time)

@SapphireElite #airtable

star

Fri Oct 27 2023 04:00:06 GMT+0000 (Coordinated Universal Time) https://stackoverflow.com/questions/33813815/how-to-read-a-parquet-file-into-pandas-dataframe

@lahiruaruna

star

Thu Oct 26 2023 22:39:15 GMT+0000 (Coordinated Universal Time)

@chicovirabrikin #nodejs

star

Thu Oct 26 2023 22:08:16 GMT+0000 (Coordinated Universal Time) https://stackoverflow.com/questions/10902252/programmatically-checking-devexpress-checkedcomboboxedit-items

@amman

star

Thu Oct 26 2023 20:50:51 GMT+0000 (Coordinated Universal Time)

@shirnunn

star

Thu Oct 26 2023 18:28:08 GMT+0000 (Coordinated Universal Time) https://repo1.maven.org/maven2/com/crawlbase/crawlbase-java-sdk-pom/1.1/

@alively78 #javascript #java

star

Thu Oct 26 2023 17:58:08 GMT+0000 (Coordinated Universal Time)

@Astik

star

Thu Oct 26 2023 17:34:07 GMT+0000 (Coordinated Universal Time)

@Astik

star

Thu Oct 26 2023 15:57:43 GMT+0000 (Coordinated Universal Time) https://tn-madisoncounty2.civicplus.com/DesignCenter/Themes/Index?structureID

@Cody_Gant

star

Thu Oct 26 2023 15:41:52 GMT+0000 (Coordinated Universal Time)

@usman_hamed

star

Thu Oct 26 2023 14:46:51 GMT+0000 (Coordinated Universal Time) https://home.openweathermap.org/api_keys

@Sknow

star

Thu Oct 26 2023 13:22:51 GMT+0000 (Coordinated Universal Time)

@kdelozier

star

Thu Oct 26 2023 09:38:11 GMT+0000 (Coordinated Universal Time) https://dnevnik.ru/marks/school/19224/student/1000011405260/period?periodId

@Sparkicode

star

Thu Oct 26 2023 09:14:30 GMT+0000 (Coordinated Universal Time)

@alokmotion

star

Thu Oct 26 2023 08:28:06 GMT+0000 (Coordinated Universal Time)

@georgi_bogdanov

star

Thu Oct 26 2023 08:20:31 GMT+0000 (Coordinated Universal Time)

@yolobotoffender

star

Thu Oct 26 2023 07:26:03 GMT+0000 (Coordinated Universal Time) https://chat.openai.com/c/4d740c63-36e9-4b8b-a204-b67abba3fcca

@rtrmukesh

star

Thu Oct 26 2023 06:12:49 GMT+0000 (Coordinated Universal Time)

@alokmotion

star

Thu Oct 26 2023 06:12:12 GMT+0000 (Coordinated Universal Time)

@alokmotion

Save snippets that work with our extensions

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