Snippets Collections
#include <iostream>
using namespace std;

int SumOfNNaturalNumbers(int n)
{
  if(n == 1)
    return 1;
    
  return (n + SumOfNNaturalNumbers(n-1));
}

int main() 
{
  int n;
  cin >> n;
  
  cout << "Sum of first " << n << " natural numbers: " << SumOfNNaturalNumbers(n) << endl;
  return 0;
}
#include <iostream>
#include <vector>
using namespace std;

int Fibonacci(int n, vector<int>& memoVector)
{
  if(n == 0 || n == 1)
    return n;
    
  if(memoVector[n] != -1)
    return memoVector[n];
    
  return memoVector[n] = Fibonacci(n-1, memoVector) + Fibonacci(n-2, memoVector);
}

int main() 
{
  int n;
  cin >> n;
  vector<int> memoVector(n+1, -1);
  
  cout << n << "th Fibonacci number: " << Fibonacci(n-1, memoVector) << endl;
  
  return 0;
}
//data
"locations": [
	{
	"name": "Business Academy Australia",
	"lat": -33.8688,
	"lng": 151.2093,
	"website": "https://www.businessacademyaustralia.com.au",
	"tel": "0290198888",
	"email": "info@businessacademyaustralia.com.au",
	"category": "Campus",
	"governmentService": true,
	"formattedLocality": "Sydney, NSW 2000",
	"providerId": "13579",
	"locationId": "4001",
	"registeredTrainerId": "24680",
	"isVetFeeProvider": false,
	"locationTypeId": null,
	"facilities": null,
	"service": null,
	"apprenticeshipTraineeship": true,
	"minimumFee": 1400,
	"maximumFee": 2800,
	"isVetFeeCourse": false,
	"isAvailableOnline": true,
	"isAvailablePartTime": true,
	"deliveryModes": ["In-person"]
	},
	{
	"name": "Entrepreneur Education",
	"lat": -27.4698,
	"lng": 153.0251,
	"website": "https://www.entrepreneureducation.com.au",
	"tel": "0733332222",
	"email": "info@entrepreneureducation.com.au",
	"category": "Campus",
	"governmentService": true,
	"formattedLocality": "Brisbane, QLD 4000",
	"providerId": "98765",
	"locationId": "4002",
	"registeredTrainerId": "13579",
	"isVetFeeProvider": false,
	"locationTypeId": null,
	"facilities": null,
	"service": null,
	"apprenticeshipTraineeship": true,
	"minimumFee": 3800,
	"maximumFee": 4700,
	"isVetFeeCourse": true,
	"isAvailableOnline": false,
	"isAvailablePartTime": false,
	"deliveryModes": ["Online","Hybrid"]
	},
	{
	"name": "Small Business Training Institute",
	"lat": -27.9687807,
	"lng": 153.4066696,
	"website": "https://www.sbtinstitute.com.au",
	"tel": "0388885555",
	"email": "info@sbtinstitute.com.au",
	"category": "Campus",
	"governmentService": false,
	"formattedLocality": "Melbourne, VIC 3000",
	"providerId": "54321",
	"locationId": "4003",
	"registeredTrainerId": "67890",
	"isVetFeeProvider": false,
	"locationTypeId": null,
	"facilities": null,
	"service": null,
	"apprenticeshipTraineeship": false,
	"minimumFee": 2200,
	"maximumFee": 4100,
	"isVetFeeCourse": true,
	"isAvailableOnline": true,
	"isAvailablePartTime": true,
	"deliveryModes": ["In-person"]
	},
  
  
  // using groupby to group locations based on the items in the delivery modes values
  
   	// shows array of arrays
    const getDeliveryItems = items.map((item) => item.deliveryModes);
    console.log({ getDeliveryItems });

    //flatten all the arrays combined into one array and sort each one by their name key
    const flattened = items.flatMap((item) => item.deliveryModes.map((mode) => ({ ...item, mode }))).sort((a, b) => a.name.localeCompare(b.name));

    console.log({ flattened });

    // use grouping to separate out by a new mode key
    let modesGrouped = Object.groupBy(flattened, ({ mode }) => mode);
    console.log({ modesGrouped });
	// In-person: Array(5), Online: Array(4), Hybrid: Array(1)}

    Object.keys(modesGrouped).forEach((key) => {
        // remove the mode key by returing ...rest
        modesGrouped[key] = modesGrouped[key].map(({ mode, ...rest }) => rest);
    });

    console.log({ modesGrouped }); //

   // destructuring
   const { Hybrid: hybrid, ["In-person"]: inPerson, Online: online } = modesGrouped;
   console.log({ hybrid, inPerson, online });







// another example

const apprenticeshipValues = Object.groupBy(items, ({ apprenticeshipTraineeship }) => apprenticeshipTraineeship);

        console.log(apprenticeshipValues[true]);
        console.log(apprenticeshipValues[false]);

        // // desctructuring the objects into an array
        const { true: apprenticeshipTraineeship = [],
               false: nonapprenticeshipTraineeship = [] } = apprenticeshipValues;
        
		console.log({ apprenticeshipTraineeship });
        console.log({ nonapprenticeshipTraineeship });
const items = [
    { name: "Item1", price: 450 },
    { name: "Item2", price: 1500 },
    { name: "Item3", price: 350 },
    { name: "Item4", price: 2000 },
    { name: "Item5", price: 1200 },
    { name: "Item6", price: 300 }
];

const groupedItems = items.reduce((groups, item) => {
    // Define price ranges
    let groupKey = "";
    if (item.price < 500) {
        groupKey = "Under 500";
    } else if (item.price > 1000) {
        groupKey = "Above 1000";
    }

    // Add item to appropriate group
    if (groupKey) {
        if (!groups[groupKey]) {
            groups[groupKey] = [];
        }
        groups[groupKey].push(item);
    }

    return groups;
}, {});

console.log(groupedItems);


// json
{
    "Under 500": [
        { "name": "Item1", "price": 450 },
        { "name": "Item3", "price": 350 },
        { "name": "Item6", "price": 300 }
    ],
    "Above 1000": [
        { "name": "Item2", "price": 1500 },
        { "name": "Item4", "price": 2000 },
        { "name": "Item5", "price": 1200 }
    ]
}
<!DOCTYPE html>
<html lang="en">
<head>
  <meta charset="UTF-8">
  <meta name="viewport" content="width=device-width, initial-scale=1.0">
  <title>🔬 Aropha AI Biodegradation Prediction Platform</title>
  <style>
    /* General Styles */
    body {
      font-family: "Helvetica Neue", Helvetica, Arial, sans-serif;
      margin: 0;
      padding: 0;
      background-color: #2C4555;
      color: #ffffff;
      display: flex;
      flex-direction: column;
      justify-content: center;
      align-items: center;
      height: 100vh;
    }
    
    .container {
      background: #1E2A34;
      padding: 30px;
      border-radius: 10px;
      box-shadow: 0 4px 12px rgba(0, 0, 0, 0.5);
      width: 90%;
      max-width: 500px;
      text-align: center;
    }
    
    /* Logo */
    .logo {
      width: 200px;
      margin-bottom: 20px;
      margin-top: 20px;
    }
    
    /* Headings */
    h1 {
      margin-bottom: 20px;
      font-size: 24px;
      color: #ffffff;
    }
    
    /* Form Groups */
    .form-group {
      margin-bottom: 15px;
      text-align: left;
    }
    
    label {
      display: block;
      margin: 10px 0 5px;
      font-weight: bold;
      color: #ffffff;
    }
    
    /* Input Fields */
    input[type="email"],
    input[type="password"],
    input[type="file"] {
      width: 100%;
      padding: 10px;
      margin-bottom: 10px;
      border-radius: 5px;
      background: #24343D;
      color: #ffffff;
      border: none;
      outline: none;
    }
    
    input::placeholder {
      color: #b0b8bf;
    }
    
    /* Buttons */
    button,
    input[type="submit"] {
      width: 100%;
      background-color: #007BFF;
      color: #ffffff;
      border: none;
      padding: 12px;
      border-radius: 5px;
      cursor: pointer;
      font-size: 16px;
    }
    
    button:hover,
    input[type="submit"]:hover {
      background-color: #0056b3;
    }
    
    /* Row with label + file input side by side */
    .row-flex {
      display: flex;
      align-items: center;
      gap: 0.8em;
      flex-wrap: wrap;
    }
    
    /* Message Boxes */
    #creditsBox,
    #messages {
      background: #24343D;
      padding: 15px;
      min-height: 50px;
      border: 1px solid #007BFF;
      margin-top: 15px;
      white-space: pre-wrap;
      border-radius: 5px;
      color: #ffffff;
      text-align: left; /* Align text to left */
    }

    /* Footer Styles */
    footer {
      text-align: center;
      padding: 10px;
      color: #b0b8bf;
      font-size: 14px;
    }

    footer a {
      color: #ffffff;
      text-decoration: underline;
    }
  </style>
</head>
<body>
    <div class="container">
      <img src="https://www.users.aropha.com/static/assets/img/logo-rectangular.png" alt="Aropha Logo" class="logo">
    <h1>Aropha's Biodegradation Prediction Platform</h1>
    <form id="arophaForm">
      <!-- Email -->
      <div class="form-group">
        <label for="email">Email:</label>
        <input
          type="email"
          id="email"
          name="email"
          placeholder="Enter your email"
          required
        />
      </div>

      <!-- Password -->
      <div class="form-group">
        <label for="password">Password:</label>
        <input
          type="password"
          id="password"
          name="password"
          placeholder="Enter your password"
          required
        />
      </div>

      <!-- Check Credits button -->
      <div class="form-group">
        <button id="checkCreditsBtn" type="button">
          Check Your Credits
        </button>
      </div>

      <!-- Spreadsheet (.xlsx) label next to file chooser -->
      <div class="form-group row-flex">
        <label for="spreadsheet" style="margin-bottom: 0;">
          Spreadsheet (.xlsx):
        </label>
        <input
          type="file"
          id="spreadsheet"
          name="spreadsheet"
          accept=".xlsx"
          required
        />
      </div>

      <!-- Submit Template Spreadsheet button -->
      <div class="form-group">
        <button id="submitBtn" type="submit">
          Submit Template Spreadsheet
        </button>
      </div>
    </form>

    <!-- Displays credit info from the server -->
    <div id="creditsBox"></div>

    <!-- Displays messages for final spreadsheet submission -->
    <div id="messages"></div>
  </div>

  <footer>
    <p>
      Follow us on <a href="https://www.linkedin.com/company/aropha/">LinkedIn</a> | &copy; 2025 Aropha Inc. All Rights Reserved.
    </p>
  </footer>

  <script>
    // Utility: convert ArrayBuffer to Base64
    function arrayBufferToBase64(buffer) {
      let binary = '';
      const bytes = new Uint8Array(buffer);
      for (let i = 0; i < bytes.length; i++) {
        binary += String.fromCharCode(bytes[i]);
      }
      return btoa(binary);
    }

    // 1) Check Your Credits
    document.getElementById('checkCreditsBtn').addEventListener('click', async () => {
      const creditsBox = document.getElementById('creditsBox');
      creditsBox.textContent = 'Checking credits...';

      const email = document.getElementById('email').value.trim();
      const password = document.getElementById('password').value;

      if (!email || !password) {
        creditsBox.textContent = 'Please enter Email and Password first.';
        return;
      }

      // Construct JSON payload
      const json_data = {
        email,
        password,
        filename: 'filename_blank',
        raw_data: 'blank'
      };

      try {
        const response = await fetch('https://modelserver.aropha.com/run_twin_engines', {
          method: 'POST',
          headers: { 'Content-Type': 'application/json' },
          body: JSON.stringify(json_data)
        });

        if (!response.ok) {
          try {
            const errorData = await response.json();
            console.log('Full error response:', errorData);
            if (errorData.detail) {
              creditsBox.textContent = errorData.detail;
            } else {
              creditsBox.textContent = `Error: ${JSON.stringify(errorData, null, 2)}`;
            }
          } catch (jsonError) {
            const rawError = await response.text();
            console.error('Raw error response:', rawError);
            creditsBox.textContent = `Error: Could not parse JSON. Raw response: ${rawError}`;
          }
          return;
        }

        const responseData = await response.json();
        if (typeof responseData.credits !== 'undefined') {
          creditsBox.textContent = `You have ${responseData.credits} credits remaining.`;
        } else {
          creditsBox.textContent = 'Credits info not found in server response.';
        }
      } catch (err) {
        creditsBox.textContent = 'Error: ' + err;
      }
    });

    // 2) Submit the form (spreadsheet upload)
    document.getElementById('arophaForm').addEventListener('submit', async function (event) {
      event.preventDefault(); // Prevent normal form POST

      const messagesDiv = document.getElementById('messages');
      messagesDiv.textContent = 'Preparing and uploading...';

      const email = document.getElementById('email').value.trim();
      const password = document.getElementById('password').value;
      const fileInput = document.getElementById('spreadsheet');

      if (!fileInput.files || fileInput.files.length === 0) {
        messagesDiv.textContent = 'Please select a spreadsheet file.';
        return;
      }

      const file = fileInput.files[0];
      const filename = file.name;

      // Read the file as an ArrayBuffer
      let fileBuffer;
      try {
        fileBuffer = await file.arrayBuffer();
      } catch (err) {
        messagesDiv.textContent = 'Error reading file: ' + err;
        return;
      }

      // Convert the ArrayBuffer to Base64
      const raw_data_b64 = arrayBufferToBase64(fileBuffer);

      // Construct JSON payload
      const json_data = {
        email,
        password,
        filename,
        raw_data: raw_data_b64
      };

      // POST to Aropha modelserver
      try {
        const response = await fetch('https://modelserver.aropha.com/run_twin_engines', {
          method: 'POST',
          headers: { 'Content-Type': 'application/json' },
          body: JSON.stringify(json_data)
        });
        
        if (response.status === 422) {
          const responseData = await response.json();
          if (responseData.detail) {
            messagesDiv.textContent = responseData.detail;
          } else {
            messagesDiv.textContent = JSON.stringify(responseData, null, 2);
          }
          if (responseData['flag data']) {
            const flagBase64 = responseData['flag data'];
            const byteChars = atob(flagBase64);
            const byteNumbers = new Array(byteChars.length);
            for (let i = 0; i < byteChars.length; i++) {
              byteNumbers[i] = byteChars.charCodeAt(i);
            }
            const byteArray = new Uint8Array(byteNumbers);
            const blob = new Blob([byteArray], { type: 'application/gzip' });
  
            const now = new Date();
            const currentDate = now.toISOString().split('T')[0];
            const currentTime = now.toTimeString().split(' ')[0].replace(/:/g, '-');
            const templateFileName = filename.replace(/\.[^/.]+$/, '');
            const dynamicFileName = `flag_notes_${templateFileName}_${currentDate}_${currentTime}.gz`;
  
            const downloadUrl = URL.createObjectURL(blob);
            const link = document.createElement('a');
            link.href = downloadUrl;
            link.download = dynamicFileName;
            document.body.appendChild(link);
            link.click();
            document.body.removeChild(link);
            URL.revokeObjectURL(downloadUrl);
          }
          return;
        } else if (!response.ok) {
          try {
            const errorData = await response.json();
            console.log('Full error response:', errorData);
            if (errorData.detail) {
              messagesDiv.textContent = errorData.detail;
            } else {
              messagesDiv.textContent = `Error: ${JSON.stringify(errorData, null, 2)}`;
            }
          } catch (jsonError) {
            const rawError = await response.text();
            console.error('Raw error response:', rawError);
            messagesDiv.textContent = `Error: Could not parse JSON. Raw response: ${rawError}`;
          }
          return;
        }
  
        if (response.status === 200) {
          const message = await response.json();
          messagesDiv.textContent = message.detail;
        }
  
      } catch (err) {
        messagesDiv.textContent = 'Error submitting data: ' + err;
      }
    });
  </script>
</body>
</html>
<!DOCTYPE html>
<html lang="en">
<head>
  <meta charset="UTF-8">
  <meta name="viewport" content="width=device-width, initial-scale=1.0">
  <title>🔬 Aropha AI Biodegradation Prediction Platform</title>
  <style>
    /* General Styles */
    body {
      font-family: "Helvetica Neue", Helvetica, Arial, sans-serif;
      margin: 0;
      padding: 0;
      background-color: #2C4555; /* Matching background */
      color: #ffffff;
      display: flex;
      flex-direction: column;
      justify-content: center;
      align-items: center;
      height: 100vh;
    }

    .container {
      background: #1E2A34;
      padding: 30px;
      border-radius: 10px;
      box-shadow: 0 4px 12px rgba(0, 0, 0, 0.5);
      width: 90%;
      max-width: 400px;
      text-align: center;
    }

    /* Logo */
    .logo {
      width: 200px;
      margin-bottom: 20px;
    }

    h2 {
      margin-bottom: 20px;
      font-size: 24px;
      color: #ffffff;
    }

    label {
      display: block;
      margin: 10px 0 5px;
      text-align: left;
      font-weight: bold;
      color: #ffffff;
    }

    input {
      width: 100%;
      padding: 10px;
      margin-bottom: 10px;
      border: 1px solid #ccc;
      border-radius: 5px;
      background: #24343D;
      color: #ffffff;
      border: none;
      outline: none;
    }

    input::placeholder {
      color: #b0b8bf;
    }

    .error {
      color: red;
      font-size: 14px;
      display: none;
    }

    button[type="submit"] {
      width: 100%;
      background-color: #007BFF;
      color: white;
      border: none;
      padding: 12px;
      border-radius: 5px;
      cursor: pointer;
      font-size: 16px;
    }

    button[type="submit"]:hover {
      background-color: #0056b3;
    }

    /* Modal Styles */
    .modal {
      position: fixed;
      top: 0;
      left: 0;
      width: 100%;
      height: 100%;
      background: rgba(0, 0, 0, 0.6);
      display: none;
      justify-content: center;
      align-items: center;
      z-index: 1000;
    }

    .modal-content {
      background: #1E2A34;
      padding: 20px;
      border-radius: 8px;
      max-width: 500px;
      width: 90%;
      box-shadow: 0 2px 8px rgba(0, 0, 0, 0.5);
      text-align: center;
      color: #ffffff;
    }

    .close-button {
      margin-top: 20px;
      padding: 10px 20px;
      border: none;
      background: #007BFF;
      color: white;
      border-radius: 5px;
      cursor: pointer;
    }

    .close-button:hover {
      background: #0056b3;
    }

    /* Additional Info */
    .info {
      text-align: center;
      margin-top: 20px;
      font-size: 14px;
      color: #b0b8bf;
    }

    .info a {
      color: #007BFF;
      text-decoration: none;
    }

    .info a:hover {
      text-decoration: underline;
    }

    /* Footer Styles */
    footer {
      text-align: center;
      padding: 10px;
      color: #b0b8bf;
      font-size: 14px;
    }

    footer a {
      color: #ffffff;
      text-decoration: underline;
    }
  </style>
</head>
<body>

  <div class="container">
    <img src="https://www.users.aropha.com/static/assets/img/logo-rectangular.png" alt="Aropha Logo" class="logo">
    <h2>Create an Account</h2>
    <form id="signup-form">
      <label for="first_name">First Name</label>
      <input type="text" id="first_name" name="first_name" placeholder="Optional">

      <label for="last_name">Last Name</label>
      <input type="text" id="last_name" name="last_name" placeholder="Optional">

      <label for="email">Email</label>
      <input type="email" id="email" name="email" required>

      <label for="password">Password</label>
      <input type="password" id="password" name="password" required>

      <label for="confirm_password">Re-enter Password</label>
      <input type="password" id="confirm_password" name="confirm_password" required>
      <p class="error" id="error-message">Passwords do not match.</p>

      <button type="submit">Sign Up</button>
    </form>
    <!-- Additional Info for Password Reset -->
    <div class="info">
      <p>
        Forgot your password? Reset it <a href="https://www.users.aropha.com/login.html" target="_blank">here</a>.
      </p>
    </div>
  </div>

  <!-- Modal for displaying messages from your endpoint -->
  <div id="messageModal" class="modal">
    <div class="modal-content">
      <p id="modalMessage"></p>
      <button class="close-button" id="closeModal">Close</button>
    </div>
  </div>

  <footer>
    <p>
      Follow us on <a href="https://www.linkedin.com/company/aropha/">LinkedIn</a> | &copy; 2025 Aropha Inc. All Rights Reserved.
    </p>
  </footer>

  <script>
    document.getElementById("signup-form").addEventListener("submit", function(event) {
    event.preventDefault(); // Prevent default form submission

    var password = document.getElementById("password").value;
    var confirmPassword = document.getElementById("confirm_password").value;
    var errorMessage = document.getElementById("error-message");

    if (password !== confirmPassword) {
        errorMessage.style.display = "block";
        return;
    } else {
        errorMessage.style.display = "none";
    }

    let formData = new FormData(document.getElementById("signup-form"));

    fetch('https://modelserver.aropha.com/register', {
        method: 'POST',
        body: formData
    })
    .then(async response => {
        let responseData;
        try {
            responseData = await response.json(); // Try parsing as JSON
        } catch (error) {
            responseData = await response.text(); // Fallback for non-JSON responses
        }

        console.log("Server response:", responseData); // Debugging log

        let message = "";
        if (typeof responseData === "object") {
            message = responseData.detail || responseData.message || JSON.stringify(responseData, null, 2);
        } else {
            message = responseData;
        }

        document.getElementById("modalMessage").textContent = message;
        document.getElementById("messageModal").style.display = "flex";
    })
    .catch(error => {
        console.error("Fetch error:", error);
        document.getElementById("modalMessage").textContent = "An error occurred. Please try again.";
        document.getElementById("messageModal").style.display = "flex";
    });
});

// Close modal
document.getElementById("closeModal").addEventListener("click", function() {
    document.getElementById("messageModal").style.display = "none";
});

  </script>
</body>
</html>
{
	"blocks": [
		{
			"type": "header",
			"text": {
				"type": "plain_text",
				"text": ":star: What's on in Melbourne this week! :star:"
			}
		},
		{
			"type": "section",
			"text": {
				"type": "mrkdwn",
				"text": "\n\n Hey Melbourne, happy Monday! Please see below for what's on this week. "
			}
		},
		{
			"type": "divider"
		},
		{
			"type": "header",
			"text": {
				"type": "plain_text",
				"text": "Xero Café :coffee:",
				"emoji": true
			}
		},
		{
			"type": "section",
			"text": {
				"type": "mrkdwn",
				"text": "\n :new-thing: *This week we are offering:* \n\n *_Insert Sweet Treats_* \n\n *Weekly Café Special*: *_Insert Coffee Special_*"
			}
		},
		{
			"type": "header",
			"text": {
				"type": "plain_text",
				"text": " Wednesday, 25th September :calendar-date-25:",
				"emoji": true
			}
		},
		{
			"type": "section",
			"text": {
				"type": "mrkdwn",
				"text": "\n\n:lunch: *Lunch*: From *12pm* in the L3 kitchen + Wominjeka breakout space!"
			}
		},
		{
			"type": "header",
			"text": {
				"type": "plain_text",
				"text": "Thursday, 26th September :calendar-date-26:",
				"emoji": true
			}
		},
		{
			"type": "section",
			"text": {
				"type": "mrkdwn",
				"text": ":breakfast: *Breakfast*: Provided by *Kartel Catering* from *8:30am - 10:30am* in the Wominjeka Breakout Space."
			}
		},
		{
			"type": "divider"
		},
		{
			"type": "section",
			"text": {
				"type": "mrkdwn",
				"text": "Stay tuned to this channel, and make sure you're subscribed to the <https://calendar.google.com/calendar/u/0?cid=Y19xczkyMjk5ZGlsODJzMjA4aGt1b3RnM2t1MEBncm91cC5jYWxlbmRhci5nb29nbGUuY29t|*Melbourne Social Calendar*> :party-wx:"
			}
		}
	]
}
#include <iostream>
using namespace std;

int main() 
{
    
    int arr[]={1,2,3,4,5,6};
    for (int i = 0; i < 6; i++) {
        if (arr[i]%2==0){
          arr[i]=arr[i]+10;
        }
        else arr[i]=arr[i]*2;
         cout<<arr[i]<<" ";
    }
    
    return 0;
}
=DATEVALUE(CONCATENATE(RIGHT(AL9,4),"-",SUBSTITUTE(SUBSTITUTE(AL9,RIGHT(AL9,5),""),"/","-")))
public with sharing class DependentPicklistController {

    public static Map<String, DependentPicklistWrapper> getDependentPicklistValuesFiltered(String dependentField, List<String> keys) {
        Map<String, DependentPicklistWrapper> dependentPicklistValues = getDependentPicklistValues(dependentField);

        for (String currentKey : dependentPicklistValues.keySet()) {
            if (!keys.contains(currentKey)) {
                dependentPicklistValues.remove(currentKey);
            }
        }

        return dependentPicklistValues;
    }

    public static Map<String, DependentPicklistWrapper> getDependentPicklistValues(String dependentPickListField) {
        List<String> splitString = dependentPickListField.split('\\.');
        Schema.SobjectField dependentField = Schema.getGlobalDescribe().get(splitString[0]).getDescribe().fields.getMap().get(splitString[1]);
        Map<String, DependentPicklistWrapper> dependentPicklistValues = new Map<String, DependentPicklistWrapper>();
        Schema.DescribeFieldResult dependentFieldResult = dependentField.getDescribe();
        Schema.sObjectField controllerField = dependentFieldResult.getController();

        Schema.DescribeFieldResult controllerFieldResult = controllerField.getDescribe();
        List<Schema.PicklistEntry> controllerValues = (controllerFieldResult.getType() == Schema.DisplayType.Boolean ? null : controllerFieldResult.getPicklistValues());

        String base64map = 'ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/';

        for (Schema.PicklistEntry entry : dependentFieldResult.getPicklistValues()) {
            if (entry.isActive() && String.isNotEmpty(String.valueOf(((Map<String, Object>) JSON.deserializeUntyped(JSON.serialize(entry))).get('validFor')))) {
                List<String> base64chars = String.valueOf(((Map<String, Object>) JSON.deserializeUntyped(JSON.serialize(entry))).get('validFor')).split('');
                for (Integer i = 0; i < (controllerValues != null ? controllerValues.size() : 2); i++) {
                    Schema.PicklistEntry controllerValue = (Schema.PicklistEntry) (controllerValues == null
                        ? (Object) (i == 1)
                        : (Object) (controllerValues[i].isActive() ? controllerValues[i] : null));

                    Integer bitIndex = i / 6;
                    if (bitIndex > base64chars.size() - 1) {
                        break;
                    }
                    Integer bitShift = 5 - Math.mod(i, 6);
                    if (controllerValue == null || (base64map.indexOf(base64chars[bitIndex]) & (1 << bitShift)) == 0) {
                        continue;
                    }
                    String apiName = controllerValue.getValue();
                    if (!dependentPicklistValues.containsKey(apiName)) {
                        dependentPicklistValues.put(apiName, new DependentPicklistWrapper(new LabelValueWrapper(controllerValue.getLabel(), apiName)));
                    }
                    dependentPicklistValues.get(apiName).addPicklistEntry(new LabelValueWrapper(entry.getLabel(), entry.getValue()));
                }
            }
        }
        return dependentPicklistValues;
    }

    public class LabelValueWrapper {
        @AuraEnabled
        public String label { get; set; }
        @AuraEnabled
        public String value { get; set; }

        public LabelValueWrapper(String label, String value) {
            this.label = label;
            this.value = value;
        }
    }

    public class DependentPicklistWrapper {
        @AuraEnabled
        public List<LabelValueWrapper> dependentPicklist;
        @AuraEnabled
        public LabelValueWrapper entry;

        public DependentPicklistWrapper(LabelValueWrapper entry) {
            this.dependentPicklist = new List<LabelValueWrapper>();
            this.entry = entry;
        }

        public void addPicklistEntry(LabelValueWrapper picklistEntry) {
            this.dependentPicklist.add(picklistEntry);
        }
    }
}
1) React Toast
for toast notififcation

2) React Spring (it is a cool lib) - https://react-spring.dev/
for animation --- npm i @react-spring/web

3) react-transition-group
for tailwind transition 

4) clsx + tailwindmerge = cn
for conditional class
  ------------------------------
  import clsx, { ClassValue } from "clsx";
import { twMerge } from "tailwind-merge";

export function cn(...classes: ClassValue[]) {
  return twMerge(clsx(...classes));
}
===================================

5) cva 
class-variant-authority

6) shadcn
component library

7) floating-ui - https://floating-ui.com/
for floating tooltip. I think it was previously called popper.js
npm install @floating-ui/react

8) DOMPurify - npm i dompurify
Dompurify is a JavaScript library that provides a fast and secure way to purify HTML content.
It is specially designed to prevent Cross-Site Scripting (XSS) attacks by eliminating any potentially harmful scripts from user input.
Dompurify accomplishes this by parsing the HTML and DOM elements, filtering out unsafe tags and attributes, and ensuring that only safe content is concluded on the web page.

9) TipTap - https://tiptap.dev/docs - look for Editor 
npm install @tiptap/react @tiptap/pm @tiptap/starter-kit
Tiptap lets you create a fully customizable rich text editor using modular building blocks. It offers a range of open-source and Pro extensions, allowing you to configure every part of the editor with a few lines of code. The API lets you customize and extend editor functionality.

10) React Hook Form - https://www.react-hook-form.com/
npm install react-hook-form

11) react-responsive - npm i react-responsive
for useMediaQuery

12) millionjs millionlint

13) open editor - https://github.com/zjxxxxxxxxx/open-editor
npm i @open-editor/vite -D

14) React Scan - https://react-scan.com/monitoring
npm i react-scan

15) usehooks-ts - usehooks-ts.com
npm I usehooks-ts

16) https://react-select.com/home#getting-started
npm i --save react-select

17) @open-editor/vite - https://npm.io/package/@open-editor/vite
for locating the code in vscode via browser

18) https://headlessui.com/
for accordians and popovers
function app() {
    const message = "Hello from App!";
    
    // Function that will use `this` correctly
    function showMessage() {
        console.log(this.message);
    }
    
    const button = document.querySelector("button");
    
    // Bind `this` inside the event listener to the `app` function
    button.addEventListener("click", showMessage.bind({ message }));
}

// Initialize the app
app();
 const overlayDivStyles = {
                    backgroundColor: "red",
                    width: "100%",
                    height: "100%",
                    display: "flex",
                    justifyContent: "center",
                    position: "absolute",
                    zIndex: 2,
                };

  const domOverlay = document.createElement("div");
  domOverlay.classList.add("map-overlay");
  domOverlay.innerHTML = `<h4>No locations exist with these current filters<h3>`;
  //assign my styles to the overlay Div
  Object.assign(domOverlay.style, overlayDivStyles);
System.debug('Teste');
function getComponentConnections(componentName=''){
    if(!componentName){return};
    var currentPage=window.cells.PageManager.TemplateManager.selected;
    const component=[...window.cells.TemplateManager.templates[currentPage].childNodes].find((e)=>e.localName===componentName);
    window.$00=component;
    const componentConnections=component.cellsConnections;
    console.log('mine ',component,' connections:',componentConnections)
}
{
	"blocks": [
		{
			"type": "header",
			"text": {
				"type": "plain_text",
				"text": ":xero-boost: Your Boost Day Lineup for the Week :xero-boost:"
			}
		},
		{
			"type": "section",
			"text": {
				"type": "mrkdwn",
				"text": "Morning Ahuriri :wave: Happy Monday, hope everyone enjoyed Waitangi weekend! It’s time for another exciting week with our Boost Day Program :eyes:"
			}
		},
		{
			"type": "divider"
		},
		{
			"type": "header",
			"text": {
				"type": "plain_text",
				"text": ":calendar-date-12: Wednesday, 12th February :camel:",
				"emoji": true
			}
		},
		{
			"type": "section",
			"text": {
				"type": "mrkdwn",
				"text": "\n:coffee: *Café Partnership*: Enjoy coffee and café-style beverages from our cafe partner, *Adoro*, located in our office building *8:00AM - 11:30AM*.\n:breakfast: *Breakfast*: Provided by *Mitzi and Twinn* from *9:30AM-10:30AM* in the Kitchen."
			}
		},
		{
			"type": "header",
			"text": {
				"type": "plain_text",
				"text": ":calendar-date-13: Thursday, 13th February :dragon-laptop:",
				"emoji": true
			}
		},
		{
			"type": "section",
			"text": {
				"type": "mrkdwn",
				"text": "\n:coffee: *Café Partnership*: Enjoy coffee and café-style beverages from our cafe partner, *Adoro*, located in our office building *8:00AM - 11:30AM*.\n:wrap: *Lunch*: Provided by *Roam* from *12:30PM-1:30PM* in the Kitchen. \n:massage: :office-hawkes-bay: *Wellness*: Alex the massage therapist will be in the office to help you relax and recharge from *1:00PM-4:45pm!* :wellbeing-at-xero: Winners from our *massage giveaway* will be sent a booking link to pick their slot."
			}
		},
		{
			"type": "header",
			"text": {
				"type": "plain_text",
				"text": ":calendar-date-14: Friday, 14th February :heartbeat:",
				"emoji": true
			}
		},
		{
			"type": "section",
			"text": {
				"type": "mrkdwn",
				"text": ":coffee: *Social Happy Hour*: Art-deco themed social happy hour with drinks and nibbles! :party: Join us in *Clearview from 4:00PM-5:30PM*."
			}
		},
		{
			"type": "divider"
		},
		{
			"type": "section",
			"text": {
				"type": "mrkdwn",
				"text": "Stay tuned to this channel for more details, check out the <https://calendar.google.com/calendar/u/0?cid=eGVyby5jb21fbXRhc2ZucThjaTl1b3BpY284dXN0OWlhdDRAZ3JvdXAuY2FsZW5kYXIuZ29vZ2xlLmNvbQ|*Hawkes Bay Social Calendar*>, and get ready to Boost your workdays!\n\nWX Team :party-wx:"
			}
		}
	]
}
/* ====== create node.js server with core 'http' module ====== */
// dependencies
const http = require("http");

// PORT
const PORT = 3000;

// server create
const server = http.createServer((req, res) => {
   if (req.url === "/") {
      res.write("This is home page.");
      res.end();
   } else if (req.url === "/about" && req.method === "GET") {
      res.write("This is about page.");
      res.end();
   } else {
      res.write("Not Found!");
      res.end();
   }
});

// server listen port
server.listen(PORT);

console.log(`Server is running on PORT: ${PORT}`);

/* ========== *** ========== */

/* ====== create node.js server with express.js framework ====== */
// dependencies
const express = require("express");

const app = express();

app.get("/", (req, res) => {
   res.send("This is home page.");
});

app.post("/", (req, res) => {
   res.send("This is home page with post request.");
});

// PORT
const PORT = 3000;

app.listen(PORT, () => {
   console.log(`Server is running on PORT: ${PORT}`);
});


// ======== Instructions ========
// save this as index.js
// you have to download and install node.js on your machine
// open terminal or command prompt
// type node index.js
// find your server at http://localhost:3000
position: absolute;
top: 50%;
right: 80px;
transform: translateY(-50%);
position: absolute;
top: 50%;
right: 80px;
transform: translateY(-50%);
<!DOCTYPE html>

<html lang="en">

    <head>

        <meta charset="UTF-">

        <title>Sign Up</title>

        <link rel="stylesheet" href="https://stackpath.bootstrapcdn.com/bootstrap/4.4.1/css/bootstrap.min.css">

    </head>
8
    <body>

        <div class="container">

            <div class="row">

                <div class="col-md-">
12
                    <h2>Register</h2>

                    <p>Please fill this form to create an account.</p>

                    <form action="" method="post">

                        <div class="form-group">

                            <label>Full Name</label>

                            <input type="text" name="name" class="form-control" required>

                        </div>    

                        <div class="form-group">

                            <label>Email Address</label>

                            <input type="email" name="email" class="form-control" required />

                        </div>    

                        <div class="form-group">

                            <label>Password</label>

                            <input type="password" name="password" class="form-control" required>

                        </div>

                        <div class="form-group">

                            <label>Confirm Password</label>

                            <input type="password" name="confirm_password" class="form-control" required>

                        </div>

                        <div class="form-group">

                            <input type="submit" name="submit" class="btn btn-primary" value="Submit">

                        </div>

                        <p>Already have an account? <a href="login.php">Login here</a>.</p>

                    </form>

                </div>

            </div>

        </div>    

    </body>

</html>
width: 7px;
height: 12px;
background-image: url(../images/btn-arrow.svg);
background-size: contain;
.woocommerce .products .product {
    display: flex;
    flex-direction: column;
    align-items: center;
    justify-content: flex-start;
    overflow: ;
}

.woocommerce .products .product a img {
    width: 100%; /* Ensures all images fill the container */
    height: 230px; /* Fixed height for consistency */
    object-fit: contain; /* Ensures the whole image fits without cropping */
    transition: transform 0.3s ease-in-out;
}

/* Zoom-out effect like Rehub theme */
.woocommerce .products .product:hover a img {
    transform: scale(0.9); /* Adjust zoom-out effect */
    opacity: 0.9; /* Optional: Slight transparency effect */
}


function memoize(fn) {
  const cache = new Map();
  return (...args) => {
    const key = JSON.stringify(args);
    if (cache.has(key)) return cache.get(key);
    const result = fn(...args);
    cache.set(key, result);
    return result;
  };
}

// Example: Expensive Fibonacci Calculation
const fibonacci = memoize((n) => (n <= 1 ? n : fibonacci(n - 1) + fibonacci(n - 2)));
#include <iostream>
using namespace std;

int main() {
    // Write C++ code here
    int n;
    cout<<"enter a number :"<<endl;
    cin>>n;
    int arr[n];
    for(int i=1;i<=n;i++){
        arr[i-1]=i*i;
    }
    for(int i=0;i<n;i++){
        cout<<arr[i]<<" ";
    }
    return 0;
}
// Online C++ compiler to run C++ program online
#include <iostream>
using namespace std;

int main() {
    // Write C++ code here
    int arr[] ={1,2,3,4,5};
    int n= sizeof(arr)/4;
int mn = arr[0];
    
     for(int i=0;i<n;i++){
    mn = min(arr[0],mn);
    }
    cout<<mn;
   

    return 0;
}
// Online C++ compiler to run C++ program online
#include <iostream>
using namespace std;

int main() {
    // Write C++ code here
    int arr[] ={1,2,3,4,5};
    int n= sizeof(arr)/4;
int mx = arr[0];
    
     for(int i=0;i<n;i++){
        // if(arr[i]>mx) mx=arr[i];
      mx= max(arr[i],mx);
    }
    cout<<mx;
   

    return 0;
}
// Online C++ compiler to run C++ program online
#include <iostream>
using namespace std;

int main() {
    // Write C++ code here
    int arr[] ={1,2,3,4,5};
    int n= sizeof(arr)/4;
  int sum=0;
    
     for(int i=0;i<n;i++){
        sum += arr[i];
    }
    cout<<sum;
   

    return 0;
}
// Online C++ compiler to run C++ program online
#include <iostream>
using namespace std;
void change(int arr[]){
    arr[4]=0;
}

int main() {
    // Write C++ code here
    int arr[5] ={1,2,3,4,5};
  
    
     for(int i=0;i<=4;i++){
        cout<<arr[i]<<" ";
    }
    cout<<endl;
    
    change(arr);
    
      for(int i=0;i<=4;i++){
        cout<<arr[i]<<" ";
    }
    

    return 0;
}
def process_masks(input_directory):
    """
    Processes all masks in a directory to calculate the percentage of masks 
    with a bounding box to total image area ratio >= 20%, considering only masks
    that have at least 5 unique structures (values > 0).
    
    :param input_directory: Path to the directory containing PNG mask files.
    :return: Percentage of masks passing the filter and total processed count.
    """
    total_valid_masks = 0  # Total masks with at least 5 structures
    passed_masks = 0       # Masks passing the area ratio filter

    for filename in os.listdir(input_directory):
        if filename.endswith(".png"):
            filepath = os.path.join(input_directory, filename)

            # Open the image and convert it to numpy array
            mask = Image.open(filepath)
            mask_array = np.array(mask)

            # Get unique structure IDs excluding the background (0)
            unique_structures = set(mask_array.flatten()) - {0}

            # Check if the mask has at least 5 structures
            if len(unique_structures) >= 5:
                total_valid_masks += 1

                # Find all non-background pixels (non-zero)
                structure_pixels = np.argwhere(mask_array > 0)

                if structure_pixels.size > 0:
                    # Calculate the bounding box for all structures
                    y_min, x_min = structure_pixels.min(axis=0)
                    y_max, x_max = structure_pixels.max(axis=0)

                    # Compute the area of the bounding box
                    bounding_box_area = (x_max - x_min + 1) * (y_max - y_min + 1)

                    # Compute the total area of the image
                    total_area = mask_array.shape[0] * mask_array.shape[1]

                    # Calculate the ratio in percentage
                    ratio = (bounding_box_area / total_area) * 100

                    # Check if the mask passes the filter
                    if ratio >= 17:
                        passed_masks += 1

    # Calculate the percentage of masks passing the filter
    passed_percentage = (passed_masks / total_valid_masks) * 100 if total_valid_masks > 0 else 0

    return passed_percentage, total_valid_masks

# Example usage
input_directory = "./app/mask_prediction"  # Replace with the path to your masks directory
passed_percentage, total_valid_masks = process_masks(input_directory)

print(f"Total masks with at least 5 structures: {total_valid_masks}")
print(f"Percentage of masks passing the filter: {passed_percentage:.2f}%")
.btn {
    display: block;
    padding-top: 20px;
    text-align: center;
    margin-top: 24px;
    border: 1px solid #000;
    background: rgba(15, 252, 233, 0.35);
    color: #000;
    font-size: 1.8rem;
    font-weight: 700;
  	transition: 0.4s;
    position: relative;
}
 <div class="col-24 col-md-14 col-lg-12 padding-offset">
                            
                            <div class="row info-item">
                                <div class="col-24 text-red">ВНИМАНИЕ! С 15.03.25 проход на мероприятия осуществляется по именным билетам с предъявлением оригинала документа, удостоверяющего личность.<br>
С более подробной информацией можно ознакомиться по <a href=" https://www.mos.ru/kultura/documents/normativnye-pravovye-akty-departamenta/view/313392220/" target="_blank">ссылке</a>.<br></div>
                            </div>
                            
                            
                            <div class="row info-item">
                                <div class="col-24 col-xs-8 col-sm-7 col-lg-8 col-xl-7 title">Дата мероприятия</div>
                                <div class="col-24 offset-xs-1 col-xs-15 col-sm-16 col-lg-15 col-xl-16"><div class="row">
    <div class="col-13"><strong>28 марта, 19:00</strong></div>
    <div class="offset-1 col-10">
        <!--<div class="btn-sm btn-red text-center"><a href="https://iframeab-pre1313.intickets.ru/seance/50078307/#abiframe">Купить билет</a></div>-->
        <!---->
    </div>
</div></div>
                            </div>
                            
                            
                            
                            
                            
                            
                            
                            <div class="row info-item">
                                <div class="col-24 col-xs-8 col-sm-7 col-lg-8 col-xl-7 title">Продолжительность</div>
                                <div class="col-24 offset-xs-1 col-xs-15 col-sm-16 col-lg-15 col-xl-16">1 час 20 минут без антракта</div>
                            </div>
                            
                            <div class="row info-item">
                                <div class="col-24 col-xs-8 col-sm-7 col-lg-8 col-xl-7 title">Тип мероприятия</div>
                                <div test class="col-24 offset-xs-1 col-xs-15 col-sm-16 col-lg-15 col-xl-16">Спектакль</div>
                            </div>
                            <div class="row info-item">
                                <div class="col-24 col-xs-8 col-sm-7 col-lg-8 col-xl-7 title">Рекомендуемый возраст</div>
                                <div class="col-24 offset-xs-1 col-xs-15 col-sm-16 col-lg-15 col-xl-16">
                                    <span itemprop="typicalAgeRange">12+</span>
                                    
                                </div>
                            </div>
[
  {
    "country_id": 1,
    "country": "United States",
    "company_url": "https://www.glassdoor.com/Overview/Working-at-Capgemini-Invent-EI_IE589990.11,27.htm",
    "company_name": "Capgemini Invent",
    "company_id": 589990,
    "size": "5001 to 10000 employees",
    "type": "Company - Public",
    "revenue": "$500 million to $1 billion (USD) per year",
    "industry": "Consulting",
    "headquarters": "Courbevoie (France)",
    "part_of": "Capgemini",
    "founded": 2009,
    "competitors": "",
    "Reviews": 1500,
    "Jobs": 1,
    "Salaries": 1700,
    "Interviews": 486,
    "Benefits": 334,
    "Photos": 46,
    "url": "https://www.glassdoor.com/Overview/Working-at-Capgemini-Invent-EI_IE589990.11,27.htm",
    "record_create_dt": "2019-10-23T08:06:01+00:00",
    "feed_code": "AEID2412",
    "site": "glassdoor.com",
    "source_country": "US",
    "context_identifier": "input url-https://www.glassdoor.com/Reviews/Capgemini-Consulting-Reviews-E589990.htm",
    "record_create_by": "AEID2412_Glassdoor_Companies",
    "execution_id": "AEID2412/1571817919",
    "file_create_dt": "10/23/2019",
    "website": "www.capgemini.com/invent"
  },
  {
    "country_id": 1,
    "country": "United States",
    "company_url": "https://www.glassdoor.com/Overview/Working-at-ITeeth-EI_IE1921458.11,17.htm",
    "company_name": "ITeeth",
    "company_id": 1921458,
    "size": "1 to 50 employees",
    "type": "Company - Private",
    "revenue": "Unknown / Non-Applicable per year",
    "industry": "Unknown",
    "headquarters": "Denver, CO",
    "part_of": "",
    "founded": "Unknown",
    "competitors": "Unknown",
    "Reviews": 1,
    "Jobs": "--",
    "Salaries": "--",
    "Interviews": "--",
    "Benefits": "--",
    "Photos": "--",
    "url": "https://www.glassdoor.com/Overview/Working-at-ITeeth-EI_IE1921458.11,17.htm",
    "record_create_dt": "2019-10-23T08:06:04+00:00",
    "feed_code": "AEID2412",
    "site": "glassdoor.com",
    "source_country": "US",
    "context_identifier": "input url-https://www.glassdoor.com/Reviews/ITeeth-Reviews-E1921458.htm",
    "record_create_by": "AEID2412_Glassdoor_Companies",
    "execution_id": "AEID2412/1571817919",
    "file_create_dt": "10/23/2019",
    "website": "www.iteethpc.com"
  },
  {
    "country_id": 1,
    "country": "United States",
    "company_url": "https://www.glassdoor.com/Overview/Working-at-Q-Lab-EI_IE895902.11,16.htm",
    "company_name": "Q-Lab",
    "company_id": 895902,
    "size": "51 to 200 employees",
    "type": "Company - Private",
    "revenue": "Unknown / Non-Applicable",
    "industry": "Electrical & Electronic Manufacturing",
    "headquarters": "Westlake, OH",
    "part_of": "",
    "founded": 1956,
    "competitors": "Unknown",
    "Reviews": 14,
    "Jobs": 25,
    "Salaries": 6,
    "Interviews": 1,
    "Benefits": 1,
    "Photos": 29,
    "url": "https://www.glassdoor.com/Overview/Working-at-Q-Lab-EI_IE895902.11,16.htm",
    "record_create_dt": "2019-10-23T08:06:20+00:00",
    "feed_code": "AEID2412",
    "site": "glassdoor.com",
    "source_country": "US",
    "context_identifier": "input url-https://www.glassdoor.com/Reviews/Q-Lab-Reviews-E895902.htm",
    "record_create_by": "AEID2412_Glassdoor_Companies",
    "execution_id": "AEID2412/1571817919",
    "file_create_dt": "10/23/2019",
    "website": "www.q-lab.com"
  },
  {
    "country_id": 96,
    "country": "Germany",
    "company_url": "https://www.glassdoor.com/Overview/Working-at-commehr-EI_IE1336464.11,18.htm",
    "company_name": "commehr",
    "company_id": 1336464,
    "size": "1 to 50 employees",
    "type": "Company - Private",
    "revenue": "Unknown / Non-Applicable",
    "industry": "IT Services",
    "headquarters": "Berlin (Germany)",
    "part_of": "",
    "founded": 2009,
    "competitors": "Unknown",
    "Reviews": 2,
    "Jobs": 18,
    "Salaries": "--",
    "Interviews": "--",
    "Benefits": "--",
    "Photos": 5,
    "url": "https://www.glassdoor.com/Overview/Working-at-commehr-EI_IE1336464.11,18.htm",
    "record_create_dt": "2019-10-23T08:06:31+00:00",
    "feed_code": "AEID2412",
    "site": "glassdoor.com",
    "source_country": "US",
    "context_identifier": "input url-https://www.glassdoor.com/Reviews/commehr-Reviews-E1336464.htm",
    "record_create_by": "AEID2412_Glassdoor_Companies",
    "execution_id": "AEID2412/1571817919",
    "file_create_dt": "10/23/2019",
    "website": "www.commehr.de"
  },
  {
    "country_id": 207,
    "country": "Saudi Arabia",
    "company_url": "https://www.glassdoor.com/Overview/Working-at-Al-Sharq-Plastic-Industries-EI_IE1909257.11,38.htm",
    "company_name": "Al Sharq Plastic Industries",
    "company_id": 1909257,
    "size": "201 to 500 employees",
    "type": "Company - Private",
    "revenue": "Unknown / Non-Applicable per year",
    "industry": "Unknown",
    "headquarters": "Riyadh (Saudi Arabia)",
    "part_of": "",
    "founded": "Unknown",
    "competitors": "Unknown",
    "Reviews": 1,
    "Jobs": 1,
    "Salaries": "--",
    "Interviews": "--",
    "Benefits": "--",
    "Photos": "--",
    "url": "https://www.glassdoor.com/Overview/Working-at-Al-Sharq-Plastic-Industries-EI_IE1909257.11,38.htm",
    "record_create_dt": "2019-10-23T08:07:45+00:00",
    "feed_code": "AEID2412",
    "site": "glassdoor.com",
    "source_country": "US",
    "context_identifier": "input url-https://www.glassdoor.com/Reviews/Al-Sharq-Plastic-Industries-Reviews-E1909257.htm",
    "record_create_by": "AEID2412_Glassdoor_Companies",
    "execution_id": "AEID2412/1571817919",
    "file_create_dt": "10/23/2019",
    "website": "www.alsharqplastics.com"
  },
  {
    "country_id": 1,
    "country": "United States",
    "company_url": "https://www.glassdoor.com/Overview/Working-at-Expedited-Logistic-Solutions-EI_IE1655876.11,39.htm",
    "company_name": "Expedited Logistic Solutions",
    "company_id": 1655876,
    "size": "51 to 200 employees",
    "type": "Company - Private",
    "revenue": "Unknown / Non-Applicable per year",
    "industry": "Trucking",
    "headquarters": "Kenly, NC",
    "part_of": "",
    "founded": "Unknown",
    "competitors": "Unknown",
    "Reviews": 1,
    "Jobs": 276,
    "Salaries": 1,
    "Interviews": "--",
    "Benefits": 2,
    "Photos": "--",
    "url": "https://www.glassdoor.com/Overview/Working-at-Expedited-Logistic-Solutions-EI_IE1655876.11,39.htm",
    "record_create_dt": "2019-10-23T08:07:00+00:00",
    "feed_code": "AEID2412",
    "site": "glassdoor.com",
    "source_country": "US",
    "context_identifier": "input url-https://www.glassdoor.com/Reviews/Expedited-Logistic-Solutions-Reviews-E1655876.htm",
    "record_create_by": "AEID2412_Glassdoor_Companies",
    "execution_id": "AEID2412/1571817919",
    "file_create_dt": "10/23/2019",
    "website": "www.elsfreight.com"
  },
  {
    "country_id": 1,
    "country": "United States",
    "company_url": "https://www.glassdoor.com/Overview/Working-at-Kohler-EI_IE2866.11,17.htm",
    "company_name": "Kohler",
    "company_id": 2866,
    "size": "10000+ employees",
    "type": "Company - Private",
    "revenue": "$2 to $5 billion (USD) per year",
    "industry": "Consumer Products Manufacturing",
    "headquarters": "Kohler, WI",
    "part_of": "",
    "founded": 1873,
    "competitors": "TOTO, Moen, American Standard",
    "Reviews": 690,
    "Jobs": 384,
    "Salaries": 1300,
    "Interviews": 223,
    "Benefits": 137,
    "Photos": 19,
    "url": "https://www.glassdoor.com/Overview/Working-at-Kohler-EI_IE2866.11,17.htm",
    "record_create_dt": "2019-10-23T08:07:21+00:00",
    "feed_code": "AEID2412",
    "site": "glassdoor.com",
    "source_country": "US",
    "context_identifier": "input url-https://www.glassdoor.com/Reviews/Kohler-Reviews-E2866.htm",
    "record_create_by": "AEID2412_Glassdoor_Companies",
    "execution_id": "AEID2412/1571817919",
    "file_create_dt": "10/23/2019",
    "website": "www.kohlercompany.com"
  },
  {
    "country_id": 1,
    "country": "United States",
    "company_url": "https://www.glassdoor.com/Overview/Working-at-ASWB-Engineering-EI_IE1141175.11,27.htm",
    "company_name": "ASWB Engineering",
    "company_id": 1141175,
    "size": "1 to 50 employees",
    "type": "Company - Private",
    "revenue": "Less than $1 million (USD) per year",
    "industry": "Unknown",
    "headquarters": "Tustin, CA",
    "part_of": "",
    "founded": "Unknown",
    "competitors": "Unknown",
    "Reviews": 1,
    "Jobs": "--",
    "Salaries": 2,
    "Interviews": "--",
    "Benefits": "--",
    "Photos": "--",
    "url": "https://www.glassdoor.com/Overview/Working-at-ASWB-Engineering-EI_IE1141175.11,27.htm",
    "record_create_dt": "2019-10-23T08:07:37+00:00",
    "feed_code": "AEID2412",
    "site": "glassdoor.com",
    "source_country": "US",
    "context_identifier": "input url-https://www.glassdoor.com/Reviews/ASWB-Engineering-Reviews-E1141175.htm",
    "record_create_by": "AEID2412_Glassdoor_Companies",
    "execution_id": "AEID2412/1571817919",
    "file_create_dt": "10/23/2019",
    "website": "www.aswb-engineering.com"
  },
  {
    "country_id": 1,
    "country": "United States",
    "company_url": "https://www.glassdoor.com/Overview/Working-at-STAR-Physical-Therapy-TN-EI_IE2102266.11,35.htm",
    "company_name": "STAR Physical Therapy (TN)",
    "company_id": 2102266,
    "size": "501 to 1000 employees",
    "type": "Company - Public",
    "revenue": "Unknown / Non-Applicable per year",
    "industry": "Unknown",
    "headquarters": "Franklin, TN",
    "part_of": "",
    "founded": "Unknown",
    "competitors": "Unknown",
    "Reviews": 2,
    "Jobs": 1,
    "Salaries": 6,
    "Interviews": "--",
    "Benefits": 17,
    "Photos": "--",
    "url": "https://www.glassdoor.com/Overview/Working-at-STAR-Physical-Therapy-TN-EI_IE2102266.11,35.htm",
    "record_create_dt": "2019-10-23T08:07:49+00:00",
    "feed_code": "AEID2412",
    "site": "glassdoor.com",
    "source_country": "US",
    "context_identifier": "input url-https://www.glassdoor.com/Reviews/STAR-Physical-Therapy-TN-Reviews-E2102266.htm",
    "record_create_by": "AEID2412_Glassdoor_Companies",
    "execution_id": "AEID2412/1571817919",
    "file_create_dt": "10/23/2019",
    "website": "www.starpt.com"
  },
  {
    "country_id": 36,
    "country": "Brazil",
    "company_url": "https://www.glassdoor.com/Overview/Working-at-Cons%C3%B3rcio-Nacional-Massey-Ferguson-EI_IE2675809.11,45.htm",
    "company_name": "Consórcio Nacional Massey Ferguson",
    "company_id": 2675809,
    "size": "Unknown",
    "type": "Company - Private",
    "revenue": "Unknown / Non-Applicable per year",
    "industry": "Unknown",
    "headquarters": "",
    "part_of": "",
    "founded": "Unknown",
    "competitors": "Unknown",
    "Reviews": 6,
    "Jobs": "--",
    "Salaries": 8,
    "Interviews": "--",
    "Benefits": "--",
    "Photos": "--",
    "url": "https://www.glassdoor.com/Overview/Working-at-Cons%C3%B3rcio-Nacional-Massey-Ferguson-EI_IE2675809.11,45.htm",
    "record_create_dt": "2019-10-23T08:08:11+00:00",
    "feed_code": "AEID2412",
    "site": "glassdoor.com",
    "source_country": "US",
    "context_identifier": "input url-https://www.glassdoor.com/Reviews/Consrcio-Nacional-Massey-Ferguson-Reviews-E2675809.htm",
    "record_create_by": "AEID2412_Glassdoor_Companies",
    "execution_id": "AEID2412/1571817919",
    "file_create_dt": "10/23/2019",
    "website": "www.cnmf.com.br"
  },
  {
    "country_id": 36,
    "country": "Brazil",
    "company_url": "https://www.glassdoor.com/Overview/Working-at-Confiance-Medical-Produtos-M%C3%A9dicos-EI_IE2491683.11,45.htm",
    "company_name": "Confiance Medical Produtos Médicos",
    "company_id": 2491683,
    "size": "51 to 200 employees",
    "type": "Company - Private",
    "revenue": "Unknown / Non-Applicable per year",
    "industry": "Unknown",
    "headquarters": "Rio de Janeiro (Brazil)",
    "part_of": "",
    "founded": 2002,
    "competitors": "Unknown",
    "Reviews": 10,
    "Jobs": 4,
    "Salaries": 10,
    "Interviews": 1,
    "Benefits": 2,
    "Photos": "--",
    "url": "https://www.glassdoor.com/Overview/Working-at-Confiance-Medical-Produtos-M%C3%A9dicos-EI_IE2491683.11,45.htm",
    "record_create_dt": "2019-10-23T08:08:36+00:00",
    "feed_code": "AEID2412",
    "site": "glassdoor.com",
    "source_country": "US",
    "context_identifier": "input url-https://www.glassdoor.com/Reviews/Confiance-Medical-Produtos-Mdicos-Reviews-E2491683.htm",
    "record_create_by": "AEID2412_Glassdoor_Companies",
    "execution_id": "AEID2412/1571817919",
    "file_create_dt": "10/23/2019",
    "website": "www.confiancemedical.com.br"
  },
  {
    "country_id": 217,
    "country": "Singapore",
    "company_url": "https://www.glassdoor.com/Overview/Working-at-Spinesoft-Technologies-EI_IE587038.11,33.htm",
    "company_name": "Spinesoft Technologies",
    "company_id": 587038,
    "size": "1 to 50 employees",
    "type": "Company - Private",
    "revenue": "Unknown / Non-Applicable per year",
    "industry": "IT Services",
    "headquarters": "Singapore (Singapore)",
    "part_of": "",
    "founded": "Unknown",
    "competitors": "Unknown",
    "Reviews": 2,
    "Jobs": "--",
    "Salaries": 1,
    "Interviews": "--",
    "Benefits": "--",
    "Photos": "--",
    "url": "https://www.glassdoor.com/Overview/Working-at-Spinesoft-Technologies-EI_IE587038.11,33.htm",
    "record_create_dt": "2019-10-23T08:08:51+00:00",
    "feed_code": "AEID2412",
    "site": "glassdoor.com",
    "source_country": "US",
    "context_identifier": "input url-https://www.glassdoor.com/Reviews/Spinesoft-Technologies-Reviews-E587038.htm",
    "record_create_by": "AEID2412_Glassdoor_Companies",
    "execution_id": "AEID2412/1571817919",
    "file_create_dt": "10/23/2019",
    "website": "www.spine-soft.com"
  },
  {
    "country_id": 1,
    "country": "United States",
    "company_url": "https://www.glassdoor.com/Overview/Working-at-Unique-Key-Resources-EI_IE278105.11,31.htm",
    "company_name": "Unique Key Resources",
    "company_id": 278105,
    "size": "1 to 50 employees",
    "type": "Company - Private",
    "revenue": "Less than $1 million (USD) per year",
    "industry": "Consulting",
    "headquarters": "Collierville, TN",
    "part_of": "",
    "founded": "Unknown",
    "competitors": "Unknown",
    "Reviews": 8,
    "Jobs": 17,
    "Salaries": 192,
    "Interviews": "--",
    "Benefits": "--",
    "Photos": "--",
    "url": "https://www.glassdoor.com/Overview/Working-at-Unique-Key-Resources-EI_IE278105.11,31.htm",
    "record_create_dt": "2019-10-23T08:09:01+00:00",
    "feed_code": "AEID2412",
    "site": "glassdoor.com",
    "source_country": "US",
    "context_identifier": "input url-https://www.glassdoor.com/Reviews/Unique-Key-Resources-Reviews-E278105.htm",
    "record_create_by": "AEID2412_Glassdoor_Companies",
    "execution_id": "AEID2412/1571817919",
    "file_create_dt": "10/23/2019",
    "website": "www.uniquekeyresources.com"
  },
  {
    "country_id": 1,
    "country": "United States",
    "company_url": "https://www.glassdoor.com/Overview/Working-at-Oscaro-EI_IE1024573.11,17.htm",
    "company_name": "Oscaro",
    "company_id": 1024573,
    "size": "201 to 500 employees",
    "type": "Company - Private",
    "revenue": "Unknown / Non-Applicable per year",
    "industry": "Automotive Parts & Accessories Stores",
    "headquarters": "Paris (France)",
    "part_of": "",
    "founded": 2001,
    "competitors": "Unknown",
    "Reviews": 23,
    "Jobs": 4,
    "Salaries": 26,
    "Interviews": "--",
    "Benefits": 4,
    "Photos": 3,
    "url": "https://www.glassdoor.com/Overview/Working-at-Oscaro-EI_IE1024573.11,17.htm",
    "record_create_dt": "2019-10-23T08:09:15+00:00",
    "feed_code": "AEID2412",
    "site": "glassdoor.com",
    "source_country": "US",
    "context_identifier": "input url-https://www.glassdoor.com/Reviews/Oscaro-Reviews-E1024573.htm",
    "record_create_by": "AEID2412_Glassdoor_Companies",
    "execution_id": "AEID2412/1571817919",
    "file_create_dt": "10/23/2019",
    "website": "www.oscaro.com"
  },
  {
    "country_id": 1,
    "country": "United States",
    "company_url": "https://www.glassdoor.com/Overview/Working-at-SFA-Design-Group-EI_IE938155.11,27.htm",
    "company_name": "SFA Design Group",
    "company_id": 938155,
    "size": "1 to 50 employees",
    "type": "Company - Private",
    "revenue": "Unknown / Non-Applicable per year",
    "industry": "Architectural & Engineering Services",
    "headquarters": "Livermore, CA",
    "part_of": "",
    "founded": "Unknown",
    "competitors": "Unknown",
    "Reviews": 6,
    "Jobs": 1,
    "Salaries": 3,
    "Interviews": 1,
    "Benefits": 2,
    "Photos": "--",
    "url": "https://www.glassdoor.com/Overview/Working-at-SFA-Design-Group-EI_IE938155.11,27.htm",
    "record_create_dt": "2019-10-23T08:09:29+00:00",
    "feed_code": "AEID2412",
    "site": "glassdoor.com",
    "source_country": "US",
    "context_identifier": "input url-https://www.glassdoor.com/Reviews/SFA-Design-Group-Reviews-E938155.htm",
    "record_create_by": "AEID2412_Glassdoor_Companies",
    "execution_id": "AEID2412/1571817919",
    "file_create_dt": "10/23/2019",
    "website": "www.sfadg.com"
  },
  {
    "country_id": 36,
    "country": "Brazil",
    "company_url": "https://www.glassdoor.com/Overview/Working-at-FGM-Produtos-Odontol%C3%B3gicos-EI_IE2485751.11,37.htm",
    "company_name": "FGM Produtos Odontológicos",
    "company_id": 2485751,
    "size": "201 to 500 employees",
    "type": "Company - Private",
    "revenue": "$5 to $10 million (USD) per year",
    "industry": "Unknown",
    "headquarters": "Joinville (Brazil)",
    "part_of": "",
    "founded": 1993,
    "competitors": "Unknown",
    "Reviews": 14,
    "Jobs": 1,
    "Salaries": 48,
    "Interviews": 4,
    "Benefits": 3,
    "Photos": "--",
    "url": "https://www.glassdoor.com/Overview/Working-at-FGM-Produtos-Odontol%C3%B3gicos-EI_IE2485751.11,37.htm",
    "record_create_dt": "2019-10-23T08:10:42+00:00",
    "feed_code": "AEID2412",
    "site": "glassdoor.com",
    "source_country": "US",
    "context_identifier": "input url-https://www.glassdoor.com/Reviews/FGM-Produtos-Odontolgicos-Reviews-E2485751.htm",
    "record_create_by": "AEID2412_Glassdoor_Companies",
    "execution_id": "AEID2412/1571817919",
    "file_create_dt": "10/23/2019",
    "website": "www.fgm.ind.br"
  },
  {
    "country_id": 115,
    "country": "India",
    "company_url": "https://www.glassdoor.com/Overview/Working-at-UV-Tech-Solutions-EI_IE1383770.11,28.htm",
    "company_name": "UV Tech Solutions",
    "company_id": 1383770,
    "size": "1 to 50 employees",
    "type": "Company - Public",
    "revenue": "Unknown / Non-Applicable per year",
    "industry": "Unknown",
    "headquarters": "Raipur, Chhattisgarh (India)",
    "part_of": "",
    "founded": "Unknown",
    "competitors": "Unknown",
    "Reviews": 1,
    "Jobs": "--",
    "Salaries": 1,
    "Interviews": "--",
    "Benefits": 1,
    "Photos": "--",
    "url": "https://www.glassdoor.com/Overview/Working-at-UV-Tech-Solutions-EI_IE1383770.11,28.htm",
    "record_create_dt": "2019-10-23T08:10:04+00:00",
    "feed_code": "AEID2412",
    "site": "glassdoor.com",
    "source_country": "US",
    "context_identifier": "input url-https://www.glassdoor.com/Reviews/UV-Tech-Solutions-Reviews-E1383770.htm",
    "record_create_by": "AEID2412_Glassdoor_Companies",
    "execution_id": "AEID2412/1571817919",
    "file_create_dt": "10/23/2019",
    "website": "www.uvtechsolution.com"
  },
  {
    "country_id": 25,
    "country": "Belgium",
    "company_url": "https://www.glassdoor.com/Overview/Working-at-EurActiv-EI_IE372596.11,19.htm",
    "company_name": "EurActiv",
    "company_id": 372596,
    "size": "1 to 50 employees",
    "type": "Company - Private",
    "revenue": "$1 to $5 million (USD) per year",
    "industry": "News Outlet",
    "headquarters": "London, England (UK)",
    "part_of": "",
    "founded": 1999,
    "competitors": "Unknown",
    "Reviews": 9,
    "Jobs": 3,
    "Salaries": 6,
    "Interviews": "--",
    "Benefits": 1,
    "Photos": "--",
    "url": "https://www.glassdoor.com/Overview/Working-at-EurActiv-EI_IE372596.11,19.htm",
    "record_create_dt": "2019-10-23T08:10:18+00:00",
    "feed_code": "AEID2412",
    "site": "glassdoor.com",
    "source_country": "US",
    "context_identifier": "input url-https://www.glassdoor.com/Reviews/EurActiv-Reviews-E372596.htm",
    "record_create_by": "AEID2412_Glassdoor_Companies",
    "execution_id": "AEID2412/1571817919",
    "file_create_dt": "10/23/2019",
    "website": "www.euractiv.com"
  },
  {
    "country_id": 1,
    "country": "United States",
    "company_url": "https://www.glassdoor.com/Overview/Working-at-Luster-NY-EI_IE1752884.11,20.htm",
    "company_name": "Luster (NY)",
    "company_id": 1752884,
    "size": "1 to 50 employees",
    "type": "Company - Private",
    "revenue": "Unknown / Non-Applicable per year",
    "industry": "Unknown",
    "headquarters": "Brooklyn, NY",
    "part_of": "",
    "founded": "Unknown",
    "competitors": "Unknown",
    "Reviews": 12,
    "Jobs": "--",
    "Salaries": 3,
    "Interviews": 1,
    "Benefits": 16,
    "Photos": "--",
    "url": "https://www.glassdoor.com/Overview/Working-at-Luster-NY-EI_IE1752884.11,20.htm",
    "record_create_dt": "2019-10-23T08:10:24+00:00",
    "feed_code": "AEID2412",
    "site": "glassdoor.com",
    "source_country": "US",
    "context_identifier": "input url-https://www.glassdoor.com/Reviews/Luster-NY-Reviews-E1752884.htm",
    "record_create_by": "AEID2412_Glassdoor_Companies",
    "execution_id": "AEID2412/1571817919",
    "file_create_dt": "10/23/2019",
    "website": "www.luster.cc"
  },
  {
    "country_id": 1,
    "country": "United States",
    "company_url": "https://www.glassdoor.com/Overview/Working-at-Gulfstream-Strategic-Placements-EI_IE1069696.11,42.htm",
    "company_name": "Gulfstream Strategic Placements",
    "company_id": 1069696,
    "size": "1 to 50 employees",
    "type": "Company - Private",
    "revenue": "Less than $1 million (USD) per year",
    "industry": "Staffing & Outsourcing",
    "headquarters": "Los Angeles, CA",
    "part_of": "",
    "founded": 2014,
    "competitors": "Unknown",
    "Reviews": 2,
    "Jobs": 884,
    "Salaries": 2,
    "Interviews": "--",
    "Benefits": "--",
    "Photos": "--",
    "url": "https://www.glassdoor.com/Overview/Working-at-Gulfstream-Strategic-Placements-EI_IE1069696.11,42.htm",
    "record_create_dt": "2019-10-23T08:10:40+00:00",
    "feed_code": "AEID2412",
    "site": "glassdoor.com",
    "source_country": "US",
    "context_identifier": "input url-https://www.glassdoor.com/Reviews/Gulfstream-Strategic-Placements-Reviews-E1069696.htm",
    "record_create_by": "AEID2412_Glassdoor_Companies",
    "execution_id": "AEID2412/1571817919",
    "file_create_dt": "10/23/2019",
    "website": "www.gulfstreamsp.com"
  },
  {
    "country_id": 1,
    "country": "United States",
    "company_url": "https://www.glassdoor.com/Overview/Working-at-Meineke-EI_IE15868.11,18.htm",
    "company_name": "Meineke",
    "company_id": 15868,
    "size": "51 to 200 employees",
    "type": "Company - Private",
    "revenue": "$10 to $25 million (USD) per year",
    "industry": "Auto Repair & Maintenance",
    "headquarters": "Charlotte, NC",
    "part_of": "",
    "founded": 1972,
    "competitors": "Driven Brands",
    "Reviews": 86,
    "Jobs": 119,
    "Salaries": 74,
    "Interviews": 9,
    "Benefits": 21,
    "Photos": "--",
    "url": "https://www.glassdoor.com/Overview/Working-at-Meineke-EI_IE15868.11,18.htm",
    "record_create_dt": "2019-10-23T08:11:09+00:00",
    "feed_code": "AEID2412",
    "site": "glassdoor.com",
    "source_country": "US",
    "context_identifier": "input url-https://www.glassdoor.com/Reviews/Meineke-Reviews-E15868.htm",
    "record_create_by": "AEID2412_Glassdoor_Companies",
    "execution_id": "AEID2412/1571817919",
    "file_create_dt": "10/23/2019",
    "website": "www.meineke.com"
  },
  {
    "country_id": 1,
    "country": "United States",
    "company_url": "https://www.glassdoor.ca/Overview/Working-at-1031-and-TIC-Investments-EI_IE279178.11,35.htm?countryRedirect=true",
    "company_name": "1031 & TIC Investments",
    "company_id": 279178,
    "size": "1 to 50 employees",
    "type": "Company - Private",
    "revenue": "Less than $1 million (CAD) per year",
    "industry": "Investment Banking & Asset Management",
    "headquarters": "Edina, MN (US)",
    "part_of": "",
    "founded": "Unknown",
    "competitors": "Unknown",
    "Reviews": 2,
    "Jobs": "--",
    "Salaries": 2,
    "Interviews": "--",
    "Benefits": "--",
    "Photos": "--",
    "url": "https://www.glassdoor.ca/Overview/Working-at-1031-and-TIC-Investments-EI_IE279178.11,35.htm?countryRedirect=true",
    "record_create_dt": "2019-10-23T08:11:22+00:00",
    "feed_code": "AEID2412",
    "site": "glassdoor.com",
    "source_country": "US",
    "context_identifier": "input url-https://www.glassdoor.com/Reviews/1031-and-TIC-Investments-Reviews-E279178.htm",
    "record_create_by": "AEID2412_Glassdoor_Companies",
    "execution_id": "AEID2412/1571817919",
    "file_create_dt": "10/23/2019",
    "website": "www.1031ticinvest.com"
  },
  {
    "country_id": 1,
    "country": "United States",
    "company_url": "https://www.glassdoor.com/Overview/Working-at-Playground-Media-Group-EI_IE271356.11,33.htm",
    "company_name": "Playground Media Group",
    "company_id": 271356,
    "size": "1 to 50 employees",
    "type": "Company - Private",
    "revenue": "$1 to $5 million (USD) per year",
    "industry": "Health, Beauty, & Fitness",
    "headquarters": "Pacific Palisades, CA",
    "part_of": "",
    "founded": "Unknown",
    "competitors": "Unknown",
    "Reviews": 1,
    "Jobs": "--",
    "Salaries": 1,
    "Interviews": "--",
    "Benefits": "--",
    "Photos": "--",
    "url": "https://www.glassdoor.com/Overview/Working-at-Playground-Media-Group-EI_IE271356.11,33.htm",
    "record_create_dt": "2019-10-23T08:11:36+00:00",
    "feed_code": "AEID2412",
    "site": "glassdoor.com",
    "source_country": "US",
    "context_identifier": "input url-https://www.glassdoor.com/Reviews/Playground-Media-Group-Reviews-E271356.htm",
    "record_create_by": "AEID2412_Glassdoor_Companies",
    "execution_id": "AEID2412/1571817919",
    "file_create_dt": "10/23/2019",
    "website": "www.playgroundla.com"
  },
  {
    "country_id": 1,
    "country": "United States",
    "company_url": "https://www.glassdoor.com/Overview/Working-at-Hemlock-Semiconductor-EI_IE354490.11,32.htm",
    "company_name": "Hemlock Semiconductor",
    "company_id": 354490,
    "size": "501 to 1000 employees",
    "type": "Company - Private",
    "revenue": "$100 to $500 million (USD) per year",
    "industry": "Industrial Manufacturing",
    "headquarters": "Hemlock, MI",
    "part_of": "",
    "founded": 1961,
    "competitors": "",
    "Reviews": 44,
    "Jobs": 7,
    "Salaries": 45,
    "Interviews": 7,
    "Benefits": 12,
    "Photos": "--",
    "url": "https://www.glassdoor.com/Overview/Working-at-Hemlock-Semiconductor-EI_IE354490.11,32.htm",
    "record_create_dt": "2019-10-23T08:11:53+00:00",
    "feed_code": "AEID2412",
    "site": "glassdoor.com",
    "source_country": "US",
    "context_identifier": "input url-https://www.glassdoor.com/Reviews/Hemlock-Semiconductor-Reviews-E354490.htm",
    "record_create_by": "AEID2412_Glassdoor_Companies",
    "execution_id": "AEID2412/1571817919",
    "file_create_dt": "10/23/2019",
    "website": "www.hscpoly.com"
  },
  {
    "country_id": 178,
    "country": "Netherlands",
    "company_url": "https://www.glassdoor.com/Overview/Working-at-ERPScan-EI_IE2599068.11,18.htm",
    "company_name": "ERPScan",
    "company_id": 2599068,
    "size": "51 to 200 employees",
    "type": "Company - Private",
    "revenue": "Unknown / Non-Applicable per year",
    "industry": "Unknown",
    "headquarters": "Palo Alto, CA",
    "part_of": "",
    "founded": "Unknown",
    "competitors": "Unknown",
    "Reviews": 1,
    "Jobs": "--",
    "Salaries": "--",
    "Interviews": "--",
    "Benefits": "--",
    "Photos": "--",
    "url": "https://www.glassdoor.com/Overview/Working-at-ERPScan-EI_IE2599068.11,18.htm",
    "record_create_dt": "2019-10-23T08:12:06+00:00",
    "feed_code": "AEID2412",
    "site": "glassdoor.com",
    "source_country": "US",
    "context_identifier": "input url-https://www.glassdoor.com/Reviews/ERPScan-Reviews-E2599068.htm",
    "record_create_by": "AEID2412_Glassdoor_Companies",
    "execution_id": "AEID2412/1571817919",
    "file_create_dt": "10/23/2019",
    "website": "www.erpscan.io"
  },
  {
    "country_id": 36,
    "country": "Brazil",
    "company_url": "https://www.glassdoor.com/Overview/Working-at-Lar-e-Sa%C3%BAde-EI_IE2788460.11,22.htm",
    "company_name": "Lar e Saúde",
    "company_id": 2788460,
    "size": "Unknown",
    "type": "Company - Private",
    "revenue": "Unknown / Non-Applicable per year",
    "industry": "Unknown",
    "headquarters": "",
    "part_of": "",
    "founded": "Unknown",
    "competitors": "Unknown",
    "Reviews": 3,
    "Jobs": "--",
    "Salaries": 12,
    "Interviews": 1,
    "Benefits": 2,
    "Photos": "--",
    "url": "https://www.glassdoor.com/Overview/Working-at-Lar-e-Sa%C3%BAde-EI_IE2788460.11,22.htm",
    "record_create_dt": "2019-10-23T08:06:02+00:00",
    "feed_code": "AEID2412",
    "site": "glassdoor.com",
    "source_country": "US",
    "context_identifier": "input url-https://www.glassdoor.com/Reviews/Lar-e-Sade-Reviews-E2788460.htm",
    "record_create_by": "AEID2412_Glassdoor_Companies",
    "execution_id": "AEID2412/1571817919",
    "file_create_dt": "10/23/2019",
    "website": ""
  },
  {
    "country_id": 1,
    "country": "United States",
    "company_url": "https://www.glassdoor.com/Overview/Working-at-Executive-Moving-Systems-EI_IE1349078.11,35.htm",
    "company_name": "Executive Moving Systems",
    "company_id": 1349078,
    "size": "51 to 200 employees",
    "type": "Company - Public",
    "revenue": "$5 to $10 million (USD) per year",
    "industry": "Unknown",
    "headquarters": "Woodbridge, VA",
    "part_of": "",
    "founded": "Unknown",
    "competitors": "Unknown",
    "Reviews": 3,
    "Jobs": "--",
    "Salaries": 4,
    "Interviews": "--",
    "Benefits": "--",
    "Photos": "--",
    "url": "https://www.glassdoor.com/Overview/Working-at-Executive-Moving-Systems-EI_IE1349078.11,35.htm",
    "record_create_dt": "2019-10-23T08:06:06+00:00",
    "feed_code": "AEID2412",
    "site": "glassdoor.com",
    "source_country": "US",
    "context_identifier": "input url-https://www.glassdoor.com/Reviews/Executive-Moving-Systems-Reviews-E1349078.htm",
    "record_create_by": "AEID2412_Glassdoor_Companies",
    "execution_id": "AEID2412/1571817919",
    "file_create_dt": "10/23/2019",
    "website": "www.thebestmove.com"
  },
  {
    "country_id": 115,
    "country": "India",
    "company_url": "https://www.glassdoor.com/Overview/Working-at-Sravan-Technologies-EI_IE928172.11,30.htm",
    "company_name": "Sravan Technologies",
    "company_id": 928172,
    "size": "1 to 50 employees",
    "type": "Company - Private",
    "revenue": "Unknown / Non-Applicable per year",
    "industry": "IT Services",
    "headquarters": "Noida (India)",
    "part_of": "",
    "founded": "Unknown",
    "competitors": "Unknown",
    "Reviews": 6,
    "Jobs": "--",
    "Salaries": 5,
    "Interviews": 1,
    "Benefits": 1,
    "Photos": "--",
    "url": "https://www.glassdoor.com/Overview/Working-at-Sravan-Technologies-EI_IE928172.11,30.htm",
    "record_create_dt": "2019-10-23T08:06:22+00:00",
    "feed_code": "AEID2412",
    "site": "glassdoor.com",
    "source_country": "US",
    "context_identifier": "input url-https://www.glassdoor.com/Reviews/Sravan-Technologies-Reviews-E928172.htm",
    "record_create_by": "AEID2412_Glassdoor_Companies",
    "execution_id": "AEID2412/1571817919",
    "file_create_dt": "10/23/2019",
    "website": "www.sravantechnologies.com"
  },
  {
    "country_id": 1,
    "country": "United States",
    "company_url": "https://www.glassdoor.com/Overview/Working-at-Massage-Addict-EI_IE987886.11,25.htm",
    "company_name": "Massage Addict",
    "company_id": 987886,
    "size": "501 to 1000 employees",
    "type": "Franchise",
    "revenue": "Unknown / Non-Applicable",
    "industry": "Health Care Services & Hospitals",
    "headquarters": "Toronto, ON (Canada)",
    "part_of": "",
    "founded": 2008,
    "competitors": "Unknown",
    "Reviews": 31,
    "Jobs": 26,
    "Salaries": 17,
    "Interviews": 5,
    "Benefits": 5,
    "Photos": 4,
    "url": "https://www.glassdoor.com/Overview/Working-at-Massage-Addict-EI_IE987886.11,25.htm",
    "record_create_dt": "2019-10-23T08:06:33+00:00",
    "feed_code": "AEID2412",
    "site": "glassdoor.com",
    "source_country": "US",
    "context_identifier": "input url-https://www.glassdoor.com/Reviews/Massage-Addict-Reviews-E987886.htm",
    "record_create_by": "AEID2412_Glassdoor_Companies",
    "execution_id": "AEID2412/1571817919",
    "file_create_dt": "10/23/2019",
    "website": "www.massageaddict.ca"
  },
  {
    "country_id": 115,
    "country": "India",
    "company_url": "https://www.glassdoor.com/Overview/Working-at-Antique-Stock-Broking-EI_IE1914849.11,32.htm",
    "company_name": "Antique Stock Broking",
    "company_id": 1914849,
    "size": "51 to 200 employees",
    "type": "Company - Private",
    "revenue": "Unknown / Non-Applicable per year",
    "industry": "Unknown",
    "headquarters": "Mumbai (India)",
    "part_of": "",
    "founded": "Unknown",
    "competitors": "Unknown",
    "Reviews": 1,
    "Jobs": "--",
    "Salaries": "--",
    "Interviews": "--",
    "Benefits": "--",
    "Photos": "--",
    "url": "https://www.glassdoor.com/Overview/Working-at-Antique-Stock-Broking-EI_IE1914849.11,32.htm",
    "record_create_dt": "2019-10-23T08:07:47+00:00",
    "feed_code": "AEID2412",
    "site": "glassdoor.com",
    "source_country": "US",
    "context_identifier": "input url-https://www.glassdoor.com/Reviews/Antique-Stock-Broking-Reviews-E1914849.htm",
    "record_create_by": "AEID2412_Glassdoor_Companies",
    "execution_id": "AEID2412/1571817919",
    "file_create_dt": "10/23/2019",
    "website": "www.antiquelimited.com"
  },
  {
    "country_id": 1,
    "country": "United States",
    "company_url": "https://www.glassdoor.com/Overview/Working-at-GR-Trucking-EI_IE756300.11,22.htm",
    "company_name": "GR Trucking",
    "company_id": 756300,
    "size": "1 to 50 employees",
    "type": "Company - Private",
    "revenue": "Unknown / Non-Applicable per year",
    "industry": "Truck Rental & Leasing",
    "headquarters": "El Paso, TX",
    "part_of": "",
    "founded": "Unknown",
    "competitors": "Unknown",
    "Reviews": 3,
    "Jobs": "--",
    "Salaries": 1,
    "Interviews": 1,
    "Benefits": 6,
    "Photos": "--",
    "url": "https://www.glassdoor.com/Overview/Working-at-GR-Trucking-EI_IE756300.11,22.htm",
    "record_create_dt": "2019-10-23T08:07:01+00:00",
    "feed_code": "AEID2412",
    "site": "glassdoor.com",
    "source_country": "US",
    "context_identifier": "input url-https://www.glassdoor.com/Reviews/GR-Trucking-Reviews-E756300.htm",
    "record_create_by": "AEID2412_Glassdoor_Companies",
    "execution_id": "AEID2412/1571817919",
    "file_create_dt": "10/23/2019",
    "website": ""
  },
  {
    "country_id": 249,
    "country": "Venezuela",
    "company_url": "https://www.glassdoor.com/Overview/Working-at-Banco-de-Venezuela-EI_IE2014934.11,29.htm",
    "company_name": "Banco de Venezuela",
    "company_id": 2014934,
    "size": "5001 to 10000 employees",
    "type": "Government",
    "revenue": "Unknown / Non-Applicable per year",
    "industry": "Unknown",
    "headquarters": "Caracas, Capital District (Venezuela)",
    "part_of": "",
    "founded": "Unknown",
    "competitors": "Unknown",
    "Reviews": 1,
    "Jobs": "--",
    "Salaries": "--",
    "Interviews": "--",
    "Benefits": "--",
    "Photos": "--",
    "url": "https://www.glassdoor.com/Overview/Working-at-Banco-de-Venezuela-EI_IE2014934.11,29.htm",
    "record_create_dt": "2019-10-23T08:07:23+00:00",
    "feed_code": "AEID2412",
    "site": "glassdoor.com",
    "source_country": "US",
    "context_identifier": "input url-https://www.glassdoor.com/Reviews/Banco-de-Venezuela-Reviews-E2014934.htm",
    "record_create_by": "AEID2412_Glassdoor_Companies",
    "execution_id": "AEID2412/1571817919",
    "file_create_dt": "10/23/2019",
    "website": "www.bancodevenezuela.com"
  },
  {
    "country_id": 1,
    "country": "United States",
    "company_url": "https://www.glassdoor.com/Overview/Working-at-Brooks-County-Schools-EI_IE233491.11,32.htm",
    "company_name": "Brooks County Schools",
    "company_id": 233491,
    "size": "201 to 500 employees",
    "type": "School / School District",
    "revenue": "Unknown / Non-Applicable per year",
    "industry": "Preschool & Child Care",
    "headquarters": "",
    "part_of": "",
    "founded": "Unknown",
    "competitors": "Unknown",
    "Reviews": 2,
    "Jobs": "--",
    "Salaries": 4,
    "Interviews": "--",
    "Benefits": "--",
    "Photos": "--",
    "url": "https://www.glassdoor.com/Overview/Working-at-Brooks-County-Schools-EI_IE233491.11,32.htm",
    "record_create_dt": "2019-10-23T08:07:38+00:00",
    "feed_code": "AEID2412",
    "site": "glassdoor.com",
    "source_country": "US",
    "context_identifier": "input url-https://www.glassdoor.com/Reviews/Brooks-County-Schools-Reviews-E233491.htm",
    "record_create_by": "AEID2412_Glassdoor_Companies",
    "execution_id": "AEID2412/1571817919",
    "file_create_dt": "10/23/2019",
    "website": "brookscountyschools.com"
  },
  {
    "country_id": 1,
    "country": "United States",
    "company_url": "https://www.glassdoor.com/Overview/Working-at-Face-to-Face-Health-and-Counseling-EI_IE1418141.11,45.htm",
    "company_name": "Face to Face Health & Counseling",
    "company_id": 1418141,
    "size": "51 to 200 employees",
    "type": "Nonprofit Organization",
    "revenue": "$1 to $5 million (USD) per year",
    "industry": "Health Care Services & Hospitals",
    "headquarters": "Saint Paul, MN",
    "part_of": "",
    "founded": "Unknown",
    "competitors": "Unknown",
    "Reviews": 1,
    "Jobs": 17,
    "Salaries": 1,
    "Interviews": "--",
    "Benefits": "--",
    "Photos": "--",
    "url": "https://www.glassdoor.com/Overview/Working-at-Face-to-Face-Health-and-Counseling-EI_IE1418141.11,45.htm",
    "record_create_dt": "2019-10-23T08:07:51+00:00",
    "feed_code": "AEID2412",
    "site": "glassdoor.com",
    "source_country": "US",
    "context_identifier": "input url-https://www.glassdoor.com/Reviews/Face-to-Face-Health-and-Counseling-Reviews-E1418141.htm",
    "record_create_by": "AEID2412_Glassdoor_Companies",
    "execution_id": "AEID2412/1571817919",
    "file_create_dt": "10/23/2019",
    "website": "www.face2face.org"
  },
  {
    "country_id": 1,
    "country": "United States",
    "company_url": "https://www.glassdoor.com/Overview/Working-at-Superior-Property-Management-EI_IE834364.11,39.htm",
    "company_name": "Superior Property Management",
    "company_id": 834364,
    "size": "1 to 50 employees",
    "type": "Company - Private",
    "revenue": "Less than $1 million (USD) per year",
    "industry": "Building & Personnel Services",
    "headquarters": "New Orleans, LA",
    "part_of": "",
    "founded": "Unknown",
    "competitors": "Unknown",
    "Reviews": 4,
    "Jobs": 4,
    "Salaries": 1,
    "Interviews": "--",
    "Benefits": "--",
    "Photos": "--",
    "url": "https://www.glassdoor.com/Overview/Working-at-Superior-Property-Management-EI_IE834364.11,39.htm",
    "record_create_dt": "2019-10-23T08:08:13+00:00",
    "feed_code": "AEID2412",
    "site": "glassdoor.com",
    "source_country": "US",
    "context_identifier": "input url-https://www.glassdoor.com/Reviews/Superior-Property-Management-Reviews-E834364.htm",
    "record_create_by": "AEID2412_Glassdoor_Companies",
    "execution_id": "AEID2412/1571817919",
    "file_create_dt": "10/23/2019",
    "website": "www.superprop.com"
  },
  {
    "country_id": 217,
    "country": "Singapore",
    "company_url": "https://www.glassdoor.com/Overview/Working-at-AETOS-Holdings-EI_IE1087971.11,25.htm",
    "company_name": "AETOS Holdings",
    "company_id": 1087971,
    "size": "1001 to 5000 employees",
    "type": "Subsidiary or Business Segment",
    "revenue": "$100 to $500 million (USD) per year",
    "industry": "Unknown",
    "headquarters": "Singapore (Singapore)",
    "part_of": "",
    "founded": "Unknown",
    "competitors": "Unknown",
    "Reviews": 6,
    "Jobs": 2,
    "Salaries": 7,
    "Interviews": 1,
    "Benefits": 11,
    "Photos": "--",
    "url": "https://www.glassdoor.com/Overview/Working-at-AETOS-Holdings-EI_IE1087971.11,25.htm",
    "record_create_dt": "2019-10-23T08:08:38+00:00",
    "feed_code": "AEID2412",
    "site": "glassdoor.com",
    "source_country": "US",
    "context_identifier": "input url-https://www.glassdoor.com/Reviews/AETOS-Holdings-Reviews-E1087971.htm",
    "record_create_by": "AEID2412_Glassdoor_Companies",
    "execution_id": "AEID2412/1571817919",
    "file_create_dt": "10/23/2019",
    "website": "www.aetos.com.sg"
  },
  {
    "country_id": 203,
    "country": "Romania",
    "company_url": "https://www.glassdoor.com/Overview/Working-at-Euroweb-EI_IE798541.11,18.htm",
    "company_name": "Euroweb",
    "company_id": 798541,
    "size": "51 to 200 employees",
    "type": "Company - Private",
    "revenue": "Unknown / Non-Applicable per year",
    "industry": "Telecommunications Services",
    "headquarters": "Bucharest (Romania)",
    "part_of": "",
    "founded": 1998,
    "competitors": "Unknown",
    "Reviews": 6,
    "Jobs": "--",
    "Salaries": 1,
    "Interviews": "--",
    "Benefits": "--",
    "Photos": "--",
    "url": "https://www.glassdoor.com/Overview/Working-at-Euroweb-EI_IE798541.11,18.htm",
    "record_create_dt": "2019-10-23T08:08:53+00:00",
    "feed_code": "AEID2412",
    "site": "glassdoor.com",
    "source_country": "US",
    "context_identifier": "input url-https://www.glassdoor.com/Reviews/Euroweb-Reviews-E798541.htm",
    "record_create_by": "AEID2412_Glassdoor_Companies",
    "execution_id": "AEID2412/1571817919",
    "file_create_dt": "10/23/2019",
    "website": "www.euroweb.ro"
  },
  {
    "country_id": 1,
    "country": "United States",
    "company_url": "https://www.glassdoor.com/Overview/Working-at-Generous-Deals-EI_IE410735.11,25.htm",
    "company_name": "Generous Deals",
    "company_id": 410735,
    "size": "1 to 50 employees",
    "type": "Company - Private",
    "revenue": "Unknown / Non-Applicable per year",
    "industry": "Motion Picture Production & Distribution",
    "headquarters": "Glen Ellyn, IL",
    "part_of": "",
    "founded": "Unknown",
    "competitors": "Unknown",
    "Reviews": 2,
    "Jobs": "--",
    "Salaries": "--",
    "Interviews": "--",
    "Benefits": "--",
    "Photos": "--",
    "url": "https://www.glassdoor.com/Overview/Working-at-Generous-Deals-EI_IE410735.11,25.htm",
    "record_create_dt": "2019-10-23T08:09:03+00:00",
    "feed_code": "AEID2412",
    "site": "glassdoor.com",
    "source_country": "US",
    "context_identifier": "input url-https://www.glassdoor.com/Reviews/Generous-Deals-Reviews-E410735.htm",
    "record_create_by": "AEID2412_Glassdoor_Companies",
    "execution_id": "AEID2412/1571817919",
    "file_create_dt": "10/23/2019",
    "website": "www.generousdeals.com"
  },
  {
    "country_id": 1,
    "country": "United States",
    "company_url": "https://www.glassdoor.com/Overview/Working-at-FLYR-EI_IE1500905.11,15.htm",
    "company_name": "FLYR",
    "company_id": 1500905,
    "size": "1 to 50 employees",
    "type": "Company - Private",
    "revenue": "Unknown / Non-Applicable",
    "industry": "Internet",
    "headquarters": "San Francisco, CA",
    "part_of": "",
    "founded": 2013,
    "competitors": "Unknown",
    "Reviews": 5,
    "Jobs": 16,
    "Salaries": 2,
    "Interviews": 5,
    "Benefits": "--",
    "Photos": 7,
    "url": "https://www.glassdoor.com/Overview/Working-at-FLYR-EI_IE1500905.11,15.htm",
    "record_create_dt": "2019-10-23T08:09:21+00:00",
    "feed_code": "AEID2412",
    "site": "glassdoor.com",
    "source_country": "US",
    "context_identifier": "input url-https://www.glassdoor.com/Reviews/FLYR-Reviews-E1500905.htm",
    "record_create_by": "AEID2412_Glassdoor_Companies",
    "execution_id": "AEID2412/1571817919",
    "file_create_dt": "10/23/2019",
    "website": "www.flyrlabs.com"
  },
  {
    "country_id": 1,
    "country": "United States",
    "company_url": "https://www.glassdoor.com/Overview/Working-at-Center-for-Story-based-Strategy-EI_IE2443091.11,42.htm",
    "company_name": "Center for Story-based Strategy",
    "company_id": 2443091,
    "size": "1 to 50 employees",
    "type": "Nonprofit Organization",
    "revenue": "Unknown / Non-Applicable per year",
    "industry": "Unknown",
    "headquarters": "Oakland, CA",
    "part_of": "",
    "founded": "Unknown",
    "competitors": "Unknown",
    "Reviews": 1,
    "Jobs": "--",
    "Salaries": "--",
    "Interviews": "--",
    "Benefits": "--",
    "Photos": "--",
    "url": "https://www.glassdoor.com/Overview/Working-at-Center-for-Story-based-Strategy-EI_IE2443091.11,42.htm",
    "record_create_dt": "2019-10-23T08:09:31+00:00",
    "feed_code": "AEID2412",
    "site": "glassdoor.com",
    "source_country": "US",
    "context_identifier": "input url-https://www.glassdoor.com/Reviews/Center-for-Story-based-Strategy-Reviews-E2443091.htm",
    "record_create_by": "AEID2412_Glassdoor_Companies",
    "execution_id": "AEID2412/1571817919",
    "file_create_dt": "10/23/2019",
    "website": "www.storybasedstrategy.org"
  },
  {
    "country_id": 16,
    "country": "Australia",
    "company_url": "https://www.glassdoor.com/Overview/Working-at-Banjo-s-Corporation-EI_IE2608328.11,30.htm",
    "company_name": "Banjo’s Corporation",
    "company_id": 2608328,
    "size": "Unknown",
    "type": "Company - Private",
    "revenue": "Unknown / Non-Applicable per year",
    "industry": "Unknown",
    "headquarters": "Hobart (Australia)",
    "part_of": "",
    "founded": "Unknown",
    "competitors": "Unknown",
    "Reviews": 1,
    "Jobs": 23,
    "Salaries": 1,
    "Interviews": "--",
    "Benefits": "--",
    "Photos": "--",
    "url": "https://www.glassdoor.com/Overview/Working-at-Banjo-s-Corporation-EI_IE2608328.11,30.htm",
    "record_create_dt": "2019-10-23T08:10:43+00:00",
    "feed_code": "AEID2412",
    "site": "glassdoor.com",
    "source_country": "US",
    "context_identifier": "input url-https://www.glassdoor.com/Reviews/Banjo-s-Corporation-Reviews-E2608328.htm",
    "record_create_by": "AEID2412_Glassdoor_Companies",
    "execution_id": "AEID2412/1571817919",
    "file_create_dt": "10/23/2019",
    "website": "banjos.com.au"
  },
  {
    "country_id": 1,
    "country": "United States",
    "company_url": "https://www.glassdoor.ca/Overview/Working-at-Specialty-Fabrications-EI_IE1725370.11,33.htm?countryRedirect=true",
    "company_name": "Specialty Fabrications",
    "company_id": 1725370,
    "size": "1 to 50 employees",
    "type": "Company - Private",
    "revenue": "$10 to $25 million (CAD) per year",
    "industry": "Unknown",
    "headquarters": "Simi Valley, CA (US)",
    "part_of": "",
    "founded": "Unknown",
    "competitors": "Unknown",
    "Reviews": 1,
    "Jobs": "--",
    "Salaries": "--",
    "Interviews": "--",
    "Benefits": "--",
    "Photos": "--",
    "url": "https://www.glassdoor.ca/Overview/Working-at-Specialty-Fabrications-EI_IE1725370.11,33.htm?countryRedirect=true",
    "record_create_dt": "2019-10-23T08:10:06+00:00",
    "feed_code": "AEID2412",
    "site": "glassdoor.com",
    "source_country": "US",
    "context_identifier": "input url-https://www.glassdoor.com/Reviews/Specialty-Fabrications-Reviews-E1725370.htm",
    "record_create_by": "AEID2412_Glassdoor_Companies",
    "execution_id": "AEID2412/1571817919",
    "file_create_dt": "10/23/2019",
    "website": "www.specfabinc.com"
  },
  {
    "country_id": 1,
    "country": "United States",
    "company_url": "https://www.glassdoor.com/Overview/Working-at-St-Charles-Community-School-District-EI_IE211047.11,47.htm",
    "company_name": "St. Charles Community School District",
    "company_id": 211047,
    "size": "1001 to 5000 employees",
    "type": "School / School District",
    "revenue": "$100 to $500 million (USD) per year",
    "industry": "Preschool & Child Care",
    "headquarters": "Saint Charles, IL",
    "part_of": "",
    "founded": "Unknown",
    "competitors": "Unknown",
    "Reviews": 1,
    "Jobs": 1,
    "Salaries": 4,
    "Interviews": 1,
    "Benefits": "--",
    "Photos": "--",
    "url": "https://www.glassdoor.com/Overview/Working-at-St-Charles-Community-School-District-EI_IE211047.11,47.htm",
    "record_create_dt": "2019-10-23T08:10:19+00:00",
    "feed_code": "AEID2412",
    "site": "glassdoor.com",
    "source_country": "US",
    "context_identifier": "input url-https://www.glassdoor.com/Reviews/St-Charles-Community-School-District-Reviews-E211047.htm",
    "record_create_by": "AEID2412_Glassdoor_Companies",
    "execution_id": "AEID2412/1571817919",
    "file_create_dt": "10/23/2019",
    "website": "www.st-charles.k12.il.us"
  },
  {
    "country_id": 1,
    "country": "United States",
    "company_url": "https://www.glassdoor.com/Overview/Working-at-Matrix-Finance-and-Accounting-EI_IE753891.11,40.htm",
    "company_name": "Matrix Finance and Accounting",
    "company_id": 753891,
    "size": "51 to 200 employees",
    "type": "Company - Private",
    "revenue": "$5 to $10 million (USD) per year",
    "industry": "Accounting",
    "headquarters": "Seattle, WA",
    "part_of": "",
    "founded": 2009,
    "competitors": "Unknown",
    "Reviews": 22,
    "Jobs": 41,
    "Salaries": 7,
    "Interviews": 1,
    "Benefits": 3,
    "Photos": "--",
    "url": "https://www.glassdoor.com/Overview/Working-at-Matrix-Finance-and-Accounting-EI_IE753891.11,40.htm",
    "record_create_dt": "2019-10-23T08:10:26+00:00",
    "feed_code": "AEID2412",
    "site": "glassdoor.com",
    "source_country": "US",
    "context_identifier": "input url-https://www.glassdoor.com/Reviews/Matrix-Finance-and-Accounting-Reviews-E753891.htm",
    "record_create_by": "AEID2412_Glassdoor_Companies",
    "execution_id": "AEID2412/1571817919",
    "file_create_dt": "10/23/2019",
    "website": "www.matrix-fa.com"
  },
  {
    "country_id": 36,
    "country": "Brazil",
    "company_url": "https://www.glassdoor.com/Overview/Working-at-Language-Associates-EI_IE2683022.11,30.htm",
    "company_name": "Language Associates",
    "company_id": 2683022,
    "size": "Unknown",
    "type": "Company - Private",
    "revenue": "Unknown / Non-Applicable per year",
    "industry": "Unknown",
    "headquarters": "",
    "part_of": "",
    "founded": "Unknown",
    "competitors": "Unknown",
    "Reviews": 4,
    "Jobs": 1,
    "Salaries": 3,
    "Interviews": 1,
    "Benefits": "--",
    "Photos": "--",
    "url": "https://www.glassdoor.com/Overview/Working-at-Language-Associates-EI_IE2683022.11,30.htm",
    "record_create_dt": "2019-10-23T08:10:42+00:00",
    "feed_code": "AEID2412",
    "site": "glassdoor.com",
    "source_country": "US",
    "context_identifier": "input url-https://www.glassdoor.com/Reviews/Language-Associates-Reviews-E2683022.htm",
    "record_create_by": "AEID2412_Glassdoor_Companies",
    "execution_id": "AEID2412/1571817919",
    "file_create_dt": "10/23/2019",
    "website": "https:www.associates.com.br"
  },
  {
    "country_id": 1,
    "country": "United States",
    "company_url": "https://www.glassdoor.com/Overview/Working-at-Chesley-Brown-EI_IE423854.11,24.htm",
    "company_name": "Chesley Brown",
    "company_id": 423854,
    "size": "201 to 500 employees",
    "type": "Contract",
    "revenue": "$10 to $25 million (USD) per year",
    "industry": "Security Services",
    "headquarters": "Smyrna, GA",
    "part_of": "",
    "founded": 1990,
    "competitors": "Unknown",
    "Reviews": 30,
    "Jobs": 18,
    "Salaries": 23,
    "Interviews": 2,
    "Benefits": 1,
    "Photos": "--",
    "url": "https://www.glassdoor.com/Overview/Working-at-Chesley-Brown-EI_IE423854.11,24.htm",
    "record_create_dt": "2019-10-23T08:11:10+00:00",
    "feed_code": "AEID2412",
    "site": "glassdoor.com",
    "source_country": "US",
    "context_identifier": "input url-https://www.glassdoor.com/Reviews/Chesley-Brown-Reviews-E423854.htm",
    "record_create_by": "AEID2412_Glassdoor_Companies",
    "execution_id": "AEID2412/1571817919",
    "file_create_dt": "10/23/2019",
    "website": "www.chesleybrown.com"
  },
  {
    "country_id": 169,
    "country": "Mexico",
    "company_url": "https://www.glassdoor.com/Overview/Working-at-Jelpmi-EI_IE2794239.11,17.htm",
    "company_name": "Jelpmi",
    "company_id": 2794239,
    "size": "Unknown",
    "type": "Company - Private",
    "revenue": "Unknown / Non-Applicable per year",
    "industry": "Unknown",
    "headquarters": "",
    "part_of": "",
    "founded": "Unknown",
    "competitors": "Unknown",
    "Reviews": 1,
    "Jobs": "--",
    "Salaries": 2,
    "Interviews": "--",
    "Benefits": "--",
    "Photos": "--",
    "url": "https://www.glassdoor.com/Overview/Working-at-Jelpmi-EI_IE2794239.11,17.htm",
    "record_create_dt": "2019-10-23T08:11:24+00:00",
    "feed_code": "AEID2412",
    "site": "glassdoor.com",
    "source_country": "US",
    "context_identifier": "input url-https://www.glassdoor.com/Reviews/Jelpmi-Reviews-E2794239.htm",
    "record_create_by": "AEID2412_Glassdoor_Companies",
    "execution_id": "AEID2412/1571817919",
    "file_create_dt": "10/23/2019",
    "website": "jelpmi.mx"
  },
  {
    "country_id": 1,
    "country": "United States",
    "company_url": "https://www.glassdoor.com/Overview/Working-at-North-Maine-Community-Church-EI_IE905679.11,39.htm",
    "company_name": "North Maine Community Church",
    "company_id": 905679,
    "size": "1 to 50 employees",
    "type": "Nonprofit Organization",
    "revenue": "Unknown / Non-Applicable per year",
    "industry": "Religious Organizations",
    "headquarters": "Chicago, IL",
    "part_of": "",
    "founded": "Unknown",
    "competitors": "Unknown",
    "Reviews": 1,
    "Jobs": "--",
    "Salaries": "--",
    "Interviews": "--",
    "Benefits": "--",
    "Photos": "--",
    "url": "https://www.glassdoor.com/Overview/Working-at-North-Maine-Community-Church-EI_IE905679.11,39.htm",
    "record_create_dt": "2019-10-23T08:11:38+00:00",
    "feed_code": "AEID2412",
    "site": "glassdoor.com",
    "source_country": "US",
    "context_identifier": "input url-https://www.glassdoor.com/Reviews/North-Maine-Community-Church-Reviews-E905679.htm",
    "record_create_by": "AEID2412_Glassdoor_Companies",
    "execution_id": "AEID2412/1571817919",
    "file_create_dt": "10/23/2019",
    "website": "www.northmaine.org"
  },
  {
    "country_id": 115,
    "country": "India",
    "company_url": "https://www.glassdoor.com/Overview/Working-at-Thinkitive-Technologies-EI_IE1103435.11,34.htm",
    "company_name": "Thinkitive Technologies",
    "company_id": 1103435,
    "size": "51 to 200 employees",
    "type": "Company - Private",
    "revenue": "$1 to $5 million (USD) per year",
    "industry": "Enterprise Software & Network Solutions",
    "headquarters": "Pune (India)",
    "part_of": "",
    "founded": 2015,
    "competitors": "Unknown",
    "Reviews": 27,
    "Jobs": 6,
    "Salaries": 11,
    "Interviews": 24,
    "Benefits": 14,
    "Photos": 44,
    "url": "https://www.glassdoor.com/Overview/Working-at-Thinkitive-Technologies-EI_IE1103435.11,34.htm",
    "record_create_dt": "2019-10-23T08:11:54+00:00",
    "feed_code": "AEID2412",
    "site": "glassdoor.com",
    "source_country": "US",
    "context_identifier": "input url-https://www.glassdoor.com/Reviews/Fidel-IT-Services-Reviews-E1103435.htm",
    "record_create_by": "AEID2412_Glassdoor_Companies",
    "execution_id": "AEID2412/1571817919",
    "file_create_dt": "10/23/2019",
    "website": "www.thinkitive.com"
  }
]
[
  {
    "company_name": "State of Alaska",
    "li_company_name": "State of Alaska",
    "li_company_url": "https://www.indeed.com/cmp/State-of-Alaska?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlq3nj4i46d800&fromjk=4cedf242e4f36484",
    "company_website": "https://www.indeed.com/cmp/State-of-Alaska?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlq3nj4i46d800&fromjk=4cedf242e4f36484",
    "job_title": "Analyst/Programmer 4",
    "job_description": "",
    "employment_type": "",
    "date_job": "",
    "job_age": "1 day ago",
    "company_job_posting_url": "",
    "company_page_url": "",
    "job_source": "",
    "job_url": "https://www.indeed.com/viewjob?viewtype=embedded&jk=4cedf242e4f36484",
    "job_loc": "Alaska",
    "job_city": "",
    "job_state": "",
    "job_state_code": "AK",
    "job_country": "United States",
    "job_country_code": "US",
    "job_zip": ""
  },
  {
    "company_name": "Walmart",
    "li_company_name": "Walmart",
    "li_company_url": "https://www.indeed.com/cmp/Walmart?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlq4293jqut800&fromjk=4d9514820be7796a",
    "company_website": "https://www.indeed.com/cmp/Walmart?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlq4293jqut800&fromjk=4d9514820be7796a",
    "job_title": "Software Engineer II",
    "job_description": "",
    "employment_type": "",
    "date_job": "",
    "job_age": "Just posted",
    "company_job_posting_url": "",
    "company_page_url": "",
    "job_source": "",
    "job_url": "https://www.indeed.com/viewjob?viewtype=embedded&jk=4d9514820be7796a",
    "job_loc": "Bentonville, AR 72712",
    "job_city": "Bentonville",
    "job_state": "",
    "job_state_code": "AR",
    "job_country": "United States",
    "job_country_code": "US",
    "job_zip": 72712
  },
  {
    "company_name": "Adobe",
    "li_company_name": "Adobe",
    "li_company_url": "https://www.indeed.com/cmp/Adobe?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlq45j0i477800&fromjk=cc5f0b8ca4990ec4",
    "company_website": "https://www.indeed.com/cmp/Adobe?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlq45j0i477800&fromjk=cc5f0b8ca4990ec4",
    "job_title": "Software Development Engineer",
    "job_description": "O",
    "employment_type": "",
    "date_job": "",
    "job_age": "Just posted",
    "company_job_posting_url": "",
    "company_page_url": "",
    "job_source": "",
    "job_url": "https://www.indeed.com/viewjob?viewtype=embedded&jk=cc5f0b8ca4990ec4",
    "job_loc": "San Jose, CA 95110",
    "job_city": "San Jose",
    "job_state": "",
    "job_state_code": "CA",
    "job_country": "United States",
    "job_country_code": "US",
    "job_zip": 95110
  },
  {
    "company_name": "The Travelers Companies, Inc.",
    "li_company_name": "The Travelers Companies, Inc.",
    "li_company_url": "https://www.indeed.com/cmp/Travelers-1?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlq4sskj30m800&fromjk=2d50326eddb2d2c7",
    "company_website": "https://www.indeed.com/cmp/Travelers-1?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlq4sskj30m800&fromjk=2d50326eddb2d2c7",
    "job_title": "Senior DevOps Engineer, Salesforce/Copado",
    "job_description": "",
    "employment_type": "",
    "date_job": "",
    "job_age": "2 days ago",
    "company_job_posting_url": "",
    "company_page_url": "",
    "job_source": "",
    "job_url": "https://www.indeed.com/viewjob?viewtype=embedded&jk=2d50326eddb2d2c7",
    "job_loc": "Hartford, CT",
    "job_city": "Hartford",
    "job_state": "",
    "job_state_code": "CT",
    "job_country": "United States",
    "job_country_code": "US",
    "job_zip": ""
  },
  {
    "company_name": "American Partner Solutions",
    "li_company_name": "American Partner Solutions",
    "li_company_url": "https://www.indeed.com/cmp/American-Partner-Solutions?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlq4p3fk2n6800&fromjk=3c89e3a6869ab7d4",
    "company_website": "https://www.indeed.com/cmp/American-Partner-Solutions?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlq4p3fk2n6800&fromjk=3c89e3a6869ab7d4",
    "job_title": "Junior Level PHP Developer",
    "job_description": "",
    "employment_type": "",
    "date_job": "",
    "job_age": "Just posted",
    "company_job_posting_url": "",
    "company_page_url": "",
    "job_source": "",
    "job_url": "https://www.indeed.com/viewjob?viewtype=embedded&jk=3c89e3a6869ab7d4",
    "job_loc": "Tampa, FL 33634",
    "job_city": "Tampa",
    "job_state": "",
    "job_state_code": "FL",
    "job_country": "United States",
    "job_country_code": "US",
    "job_zip": 33634
  },
  {
    "company_name": "SAIC",
    "li_company_name": "SAIC",
    "li_company_url": "https://www.indeed.com/cmp/SAIC?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlq5d8e2ipu005&fromjk=f70b7bb150641dad",
    "company_website": "https://www.indeed.com/cmp/SAIC?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlq5d8e2ipu005&fromjk=f70b7bb150641dad",
    "job_title": "Database Developer",
    "job_description": "",
    "employment_type": "",
    "date_job": "",
    "job_age": "1 day ago",
    "company_job_posting_url": "",
    "company_page_url": "",
    "job_source": "",
    "job_url": "https://www.indeed.com/viewjob?viewtype=embedded&jk=f70b7bb150641dad",
    "job_loc": "Pearl City, HI 96782",
    "job_city": "Pearl City",
    "job_state": "",
    "job_state_code": "HI",
    "job_country": "United States",
    "job_country_code": "US",
    "job_zip": 96782
  },
  {
    "company_name": "Everlast Brands",
    "li_company_name": "Everlast Brands",
    "li_company_url": "https://www.indeed.com/cmp/Everlast-Brands?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlq5gtmj3tr800&fromjk=2ad8e27ac52debb2",
    "company_website": "https://www.indeed.com/cmp/Everlast-Brands?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlq5gtmj3tr800&fromjk=2ad8e27ac52debb2",
    "job_title": "Website Developer",
    "job_description": "",
    "employment_type": "",
    "date_job": "",
    "job_age": "Just posted",
    "company_job_posting_url": "",
    "company_page_url": "",
    "job_source": "",
    "job_url": "https://www.indeed.com/viewjob?viewtype=embedded&jk=2ad8e27ac52debb2",
    "job_loc": "Idaho Falls, ID 83402",
    "job_city": "Idaho Falls",
    "job_state": "",
    "job_state_code": "ID",
    "job_country": "United States",
    "job_country_code": "US",
    "job_zip": 83402
  },
  {
    "company_name": "General Dynamics Information Technology",
    "li_company_name": "General Dynamics Information Technology",
    "li_company_url": "https://www.indeed.com/cmp/General-Dynamics-Information-Technology?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlq5ltmghri800&fromjk=18e5008407c8266b",
    "company_website": "https://www.indeed.com/cmp/General-Dynamics-Information-Technology?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlq5ltmghri800&fromjk=18e5008407c8266b",
    "job_title": "Instructional Developer - Remote",
    "job_description": "C",
    "employment_type": "",
    "date_job": "",
    "job_age": "Just posted",
    "company_job_posting_url": "",
    "company_page_url": "",
    "job_source": "",
    "job_url": "https://www.indeed.com/viewjob?viewtype=embedded&jk=18e5008407c8266b",
    "job_loc": "Indiana",
    "job_city": "",
    "job_state": "",
    "job_state_code": "IN",
    "job_country": "United States",
    "job_country_code": "US",
    "job_zip": ""
  },
  {
    "company_name": "OnTrac",
    "li_company_name": "OnTrac",
    "li_company_url": "https://www.indeed.com/cmp/Ontrac-2?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlq65u7kc1l800&fromjk=d5174bc400401aeb",
    "company_website": "https://www.indeed.com/cmp/Ontrac-2?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlq65u7kc1l800&fromjk=d5174bc400401aeb",
    "job_title": "Senior Developer - Software",
    "job_description": "S",
    "employment_type": "",
    "date_job": "",
    "job_age": "Just posted",
    "company_job_posting_url": "",
    "company_page_url": "",
    "job_source": "",
    "job_url": "https://www.indeed.com/viewjob?viewtype=embedded&jk=d5174bc400401aeb",
    "job_loc": "Louisville, KY 40218",
    "job_city": "Louisville",
    "job_state": "",
    "job_state_code": "KY",
    "job_country": "United States",
    "job_country_code": "US",
    "job_zip": 40218
  },
  {
    "company_name": "Veson Nautical",
    "li_company_name": "Veson Nautical",
    "li_company_url": "https://www.indeed.com/cmp/Veson-Nautical-1?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlq6ftsi6n1800&fromjk=cff5917b7fc2ad47",
    "company_website": "https://www.indeed.com/cmp/Veson-Nautical-1?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlq6ftsi6n1800&fromjk=cff5917b7fc2ad47",
    "job_title": "Software Engineering Manager",
    "job_description": "",
    "employment_type": "",
    "date_job": "",
    "job_age": "Just posted",
    "company_job_posting_url": "",
    "company_page_url": "",
    "job_source": "",
    "job_url": "https://www.indeed.com/viewjob?viewtype=embedded&jk=cff5917b7fc2ad47",
    "job_loc": "Boston, MA 02110",
    "job_city": "Boston",
    "job_state": "",
    "job_state_code": "MA",
    "job_country": "United States",
    "job_country_code": "US",
    "job_zip": 2110
  },
  {
    "company_name": "Microsoft",
    "li_company_name": "Microsoft",
    "li_company_url": "https://www.indeed.com/cmp/Microsoft?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlq6mv328f1000&fromjk=382e42587ef47acf",
    "company_website": "https://www.indeed.com/cmp/Microsoft?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlq6mv328f1000&fromjk=382e42587ef47acf",
    "job_title": "Senior Software Engineer - Linux",
    "job_description": "",
    "employment_type": "",
    "date_job": "",
    "job_age": "Today",
    "company_job_posting_url": "",
    "company_page_url": "",
    "job_source": "",
    "job_url": "https://www.indeed.com/viewjob?viewtype=embedded&jk=382e42587ef47acf",
    "job_loc": "Poland, ME",
    "job_city": "Poland",
    "job_state": "",
    "job_state_code": "ME",
    "job_country": "United States",
    "job_country_code": "US",
    "job_zip": ""
  },
  {
    "company_name": "Provation",
    "li_company_name": "Provation",
    "li_company_url": "https://www.indeed.com/cmp/Fortive?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlq74clikch803&fromjk=de8f76313956fcd8",
    "company_website": "https://www.indeed.com/cmp/Fortive?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlq74clikch803&fromjk=de8f76313956fcd8",
    "job_title": "Sr. Software Engineer",
    "job_description": "",
    "employment_type": "",
    "date_job": "",
    "job_age": "Just posted",
    "company_job_posting_url": "",
    "company_page_url": "",
    "job_source": "",
    "job_url": "https://www.indeed.com/viewjob?viewtype=embedded&jk=de8f76313956fcd8",
    "job_loc": "Minneapolis, MN",
    "job_city": "Minneapolis",
    "job_state": "",
    "job_state_code": "MN",
    "job_country": "United States",
    "job_country_code": "US",
    "job_zip": ""
  },
  {
    "company_name": "Camgian",
    "li_company_name": "Camgian",
    "li_company_url": "https://www.indeed.com/cmp/Camgian?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlq7goqip8m801&fromjk=84326422fafcfea1",
    "company_website": "https://www.indeed.com/cmp/Camgian?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlq7goqip8m801&fromjk=84326422fafcfea1",
    "job_title": "SOFTWARE ENGINEER",
    "job_description": "",
    "employment_type": "",
    "date_job": "",
    "job_age": "Just posted",
    "company_job_posting_url": "",
    "company_page_url": "",
    "job_source": "",
    "job_url": "https://www.indeed.com/viewjob?viewtype=embedded&jk=84326422fafcfea1",
    "job_loc": "Starkville, MS 39759",
    "job_city": "Starkville",
    "job_state": "",
    "job_state_code": "MS",
    "job_country": "United States",
    "job_country_code": "US",
    "job_zip": 39759
  },
  {
    "company_name": "Lockheed Martin Corporation",
    "li_company_name": "Lockheed Martin Corporation",
    "li_company_url": "https://www.indeed.com/cmp/Lockheed-Martin?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlq7nkei6jt800&fromjk=8c65b4e998f9a78f",
    "company_website": "https://www.indeed.com/cmp/Lockheed-Martin?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlq7nkei6jt800&fromjk=8c65b4e998f9a78f",
    "job_title": "Remote Sensing Geospatial Software Engineer",
    "job_description": "",
    "employment_type": "",
    "date_job": "",
    "job_age": "Just posted",
    "company_job_posting_url": "",
    "company_page_url": "",
    "job_source": "",
    "job_url": "https://www.indeed.com/viewjob?viewtype=embedded&jk=8c65b4e998f9a78f",
    "job_loc": "Greensboro, NC",
    "job_city": "Greensboro",
    "job_state": "",
    "job_state_code": "NC",
    "job_country": "United States",
    "job_country_code": "US",
    "job_zip": ""
  },
  {
    "company_name": "Ameritas",
    "li_company_name": "Ameritas",
    "li_company_url": "https://www.indeed.com/cmp/Ameritas-Life-Insurance-Corp?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlq7rkv21a4000&fromjk=dc159b79e201aae7",
    "company_website": "https://www.indeed.com/cmp/Ameritas-Life-Insurance-Corp?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlq7rkv21a4000&fromjk=dc159b79e201aae7",
    "job_title": "Software Developer",
    "job_description": "",
    "employment_type": "",
    "date_job": "",
    "job_age": "Today",
    "company_job_posting_url": "",
    "company_page_url": "",
    "job_source": "",
    "job_url": "https://www.indeed.com/viewjob?viewtype=embedded&jk=dc159b79e201aae7",
    "job_loc": "Lincoln, NE 68510",
    "job_city": "Lincoln",
    "job_state": "",
    "job_state_code": "NE",
    "job_country": "United States",
    "job_country_code": "US",
    "job_zip": 68510
  },
  {
    "company_name": "BeaconFire Solution",
    "li_company_name": "BeaconFire Solution",
    "li_company_url": "https://www.indeed.com/cmp/Beaconfire-Solution?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlq85ba21a4001&fromjk=9fe74f1c11f73874",
    "company_website": "https://www.indeed.com/cmp/Beaconfire-Solution?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlq85ba21a4001&fromjk=9fe74f1c11f73874",
    "job_title": "Entry Level Full Stack Developer",
    "job_description": "",
    "employment_type": "",
    "date_job": "",
    "job_age": "Just posted",
    "company_job_posting_url": "",
    "company_page_url": "",
    "job_source": "",
    "job_url": "https://www.indeed.com/viewjob?viewtype=embedded&jk=9fe74f1c11f73874",
    "job_loc": "Princeton, NJ",
    "job_city": "Princeton",
    "job_state": "",
    "job_state_code": "NJ",
    "job_country": "United States",
    "job_country_code": "US",
    "job_zip": ""
  },
  {
    "company_name": "Skillz Inc.",
    "li_company_name": "Skillz Inc.",
    "li_company_url": "https://www.indeed.com/cmp/Skillz?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlq8gb7i7lr800&fromjk=78703d578cce8268",
    "company_website": "https://www.indeed.com/cmp/Skillz?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlq8gb7i7lr800&fromjk=78703d578cce8268",
    "job_title": "Lead / Senior Software Engineer, Mobile SDK",
    "job_description": "",
    "employment_type": "",
    "date_job": "",
    "job_age": "Just posted",
    "company_job_posting_url": "",
    "company_page_url": "",
    "job_source": "",
    "job_url": "https://www.indeed.com/viewjob?viewtype=embedded&jk=78703d578cce8268",
    "job_loc": "Las Vegas, NV",
    "job_city": "Las Vegas",
    "job_state": "",
    "job_state_code": "NV",
    "job_country": "United States",
    "job_country_code": "US",
    "job_zip": ""
  },
  {
    "company_name": "CACI",
    "li_company_name": "CACI",
    "li_company_url": "https://www.indeed.com/cmp/CACI-International-1?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlq8opsia0r800&fromjk=858b0837437a151e",
    "company_website": "https://www.indeed.com/cmp/CACI-International-1?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlq8opsia0r800&fromjk=858b0837437a151e",
    "job_title": "Software Developer 1",
    "job_description": "",
    "employment_type": "",
    "date_job": "",
    "job_age": "Just posted",
    "company_job_posting_url": "",
    "company_page_url": "",
    "job_source": "",
    "job_url": "https://www.indeed.com/viewjob?viewtype=embedded&jk=858b0837437a151e",
    "job_loc": "Fairborn, OH 45324",
    "job_city": "Fairborn",
    "job_state": "",
    "job_state_code": "OH",
    "job_country": "United States",
    "job_country_code": "US",
    "job_zip": 45324
  },
  {
    "company_name": "Oregon State University",
    "li_company_name": "Oregon State University",
    "li_company_url": "https://www.indeed.com/cmp/Oregon-State-University?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlq9l49gsrn802&fromjk=497093627774c883",
    "company_website": "https://www.indeed.com/cmp/Oregon-State-University?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlq9l49gsrn802&fromjk=497093627774c883",
    "job_title": "Programmer",
    "job_description": "",
    "employment_type": "",
    "date_job": "",
    "job_age": "Today",
    "company_job_posting_url": "",
    "company_page_url": "",
    "job_source": "",
    "job_url": "https://www.indeed.com/viewjob?viewtype=embedded&jk=497093627774c883",
    "job_loc": "Corvallis, OR 97331",
    "job_city": "Corvallis",
    "job_state": "",
    "job_state_code": "OR",
    "job_country": "United States",
    "job_country_code": "US",
    "job_zip": 97331
  },
  {
    "company_name": "Fidelity Investments",
    "li_company_name": "Fidelity Investments",
    "li_company_url": "https://www.indeed.com/cmp/Fidelity-Investments?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlq9dclg0m9800&fromjk=83b808cb12fa9908",
    "company_website": "https://www.indeed.com/cmp/Fidelity-Investments?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlq9dclg0m9800&fromjk=83b808cb12fa9908",
    "job_title": "Senior Software Engineer",
    "job_description": "",
    "employment_type": "",
    "date_job": "",
    "job_age": "Just posted",
    "company_job_posting_url": "",
    "company_page_url": "",
    "job_source": "",
    "job_url": "https://www.indeed.com/viewjob?viewtype=embedded&jk=83b808cb12fa9908",
    "job_loc": "Smithfield, RI 02917",
    "job_city": "Smithfield",
    "job_state": "",
    "job_state_code": "RI",
    "job_country": "United States",
    "job_country_code": "US",
    "job_zip": 2917
  },
  {
    "company_name": "Sbs Cybersecurity Llc",
    "li_company_name": "Sbs Cybersecurity Llc",
    "li_company_url": "https://www.indeed.com/cmp/Sbs-Cybersecurity?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlq9tdugsrn800&fromjk=15f9b988165a16c4",
    "company_website": "https://www.indeed.com/cmp/Sbs-Cybersecurity?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlq9tdugsrn800&fromjk=15f9b988165a16c4",
    "job_title": "Sr Software Developer",
    "job_description": "",
    "employment_type": "",
    "date_job": "",
    "job_age": "Just posted",
    "company_job_posting_url": "",
    "company_page_url": "",
    "job_source": "",
    "job_url": "https://www.indeed.com/viewjob?viewtype=embedded&jk=15f9b988165a16c4",
    "job_loc": "Madison, SD 57042",
    "job_city": "Madison",
    "job_state": "",
    "job_state_code": "SD",
    "job_country": "United States",
    "job_country_code": "US",
    "job_zip": 57042
  },
  {
    "company_name": "ViaOne Services",
    "li_company_name": "ViaOne Services",
    "li_company_url": "https://www.indeed.com/cmp/Viaone-Services?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlqa3bgg2ot800&fromjk=bebb2ce9d377e7da",
    "company_website": "https://www.indeed.com/cmp/Viaone-Services?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlqa3bgg2ot800&fromjk=bebb2ce9d377e7da",
    "job_title": "Manager, Software Development & Scrum (Sponsorship Unavailable at this Time)",
    "job_description": "",
    "employment_type": "",
    "date_job": "",
    "job_age": "Just posted",
    "company_job_posting_url": "",
    "company_page_url": "",
    "job_source": "",
    "job_url": "https://www.indeed.com/viewjob?viewtype=embedded&jk=bebb2ce9d377e7da",
    "job_loc": "Dallas, TX 75234",
    "job_city": "Dallas",
    "job_state": "",
    "job_state_code": "TX",
    "job_country": "United States",
    "job_country_code": "US",
    "job_zip": 75234
  },
  {
    "company_name": "Prevailance, Inc.",
    "li_company_name": "Prevailance, Inc.",
    "li_company_url": "https://www.indeed.com/cmp/Prevailance,-Inc.-1?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlqab46k5rt800&fromjk=e1f9b5ff62d9422f",
    "company_website": "https://www.indeed.com/cmp/Prevailance,-Inc.-1?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlqab46k5rt800&fromjk=e1f9b5ff62d9422f",
    "job_title": "Strategic Analyst - Net Assessment",
    "job_description": "",
    "employment_type": "",
    "date_job": "",
    "job_age": "Just posted",
    "company_job_posting_url": "",
    "company_page_url": "",
    "job_source": "",
    "job_url": "https://www.indeed.com/viewjob?viewtype=embedded&jk=e1f9b5ff62d9422f",
    "job_loc": "Norfolk, VA 23511",
    "job_city": "Norfolk",
    "job_state": "",
    "job_state_code": "VA",
    "job_country": "United States",
    "job_country_code": "US",
    "job_zip": 23511
  },
  {
    "company_name": "Stoke Space",
    "li_company_name": "Stoke Space",
    "li_company_url": "",
    "company_website": "",
    "job_title": "Senior Backend Software Development Engineer",
    "job_description": "",
    "employment_type": "",
    "date_job": "",
    "job_age": "Just posted",
    "company_job_posting_url": "",
    "company_page_url": "",
    "job_source": "",
    "job_url": "https://www.indeed.com/viewjob?viewtype=embedded&jk=58ce56dec13b9566",
    "job_loc": "Kent, WA",
    "job_city": "Kent",
    "job_state": "",
    "job_state_code": "WA",
    "job_country": "United States",
    "job_country_code": "US",
    "job_zip": ""
  },
  {
    "company_name": "Peraton",
    "li_company_name": "Peraton",
    "li_company_url": "https://www.indeed.com/cmp/Peraton?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlqb0nmih39800&fromjk=0e99d0d7cb717d1a",
    "company_website": "https://www.indeed.com/cmp/Peraton?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlqb0nmih39800&fromjk=0e99d0d7cb717d1a",
    "job_title": "Junior .Net Software Developer",
    "job_description": "",
    "employment_type": "",
    "date_job": "",
    "job_age": "3 days ago",
    "company_job_posting_url": "",
    "company_page_url": "",
    "job_source": "",
    "job_url": "https://www.indeed.com/viewjob?viewtype=embedded&jk=0e99d0d7cb717d1a",
    "job_loc": "Charleston, WV",
    "job_city": "Charleston",
    "job_state": "",
    "job_state_code": "WV",
    "job_country": "United States",
    "job_country_code": "US",
    "job_zip": ""
  },
  {
    "company_name": "State of Alaska",
    "li_company_name": "State of Alaska",
    "li_company_url": "https://www.indeed.com/cmp/State-of-Alaska?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlq3pm9k2mi800&fromjk=a27f073ef9d2fc52",
    "company_website": "https://www.indeed.com/cmp/State-of-Alaska?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlq3pm9k2mi800&fromjk=a27f073ef9d2fc52",
    "job_title": "Analyst/Programmer 1/2/3/4 Flex",
    "job_description": "",
    "employment_type": "",
    "date_job": "",
    "job_age": "3 days ago",
    "company_job_posting_url": "",
    "company_page_url": "",
    "job_source": "",
    "job_url": "https://www.indeed.com/viewjob?viewtype=embedded&jk=a27f073ef9d2fc52",
    "job_loc": "Anchorage, AK",
    "job_city": "Anchorage",
    "job_state": "",
    "job_state_code": "AK",
    "job_country": "United States",
    "job_country_code": "US",
    "job_zip": ""
  },
  {
    "company_name": "University of Arkansas",
    "li_company_name": "University of Arkansas",
    "li_company_url": "https://www.indeed.com/cmp/University-of-Arkansas?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlq44bbg2ot800&fromjk=b4556e863a339545",
    "company_website": "https://www.indeed.com/cmp/University-of-Arkansas?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlq44bbg2ot800&fromjk=b4556e863a339545",
    "job_title": "Principal Software Engineer",
    "job_description": "",
    "employment_type": "",
    "date_job": "",
    "job_age": "Today",
    "company_job_posting_url": "",
    "company_page_url": "",
    "job_source": "",
    "job_url": "https://www.indeed.com/viewjob?viewtype=embedded&jk=b4556e863a339545",
    "job_loc": "Little Rock, AR",
    "job_city": "Little Rock",
    "job_state": "",
    "job_state_code": "AR",
    "job_country": "United States",
    "job_country_code": "US",
    "job_zip": ""
  },
  {
    "company_name": "State Compensation Insurance Fund",
    "li_company_name": "State Compensation Insurance Fund",
    "li_company_url": "https://www.indeed.com/cmp/State-Compensation-Insurance-Fund?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlq46rbi6j9800&fromjk=1cc75e8348eff025",
    "company_website": "https://www.indeed.com/cmp/State-Compensation-Insurance-Fund?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlq46rbi6j9800&fromjk=1cc75e8348eff025",
    "job_title": "Software Development Engineer in Test",
    "job_description": "",
    "employment_type": "",
    "date_job": "",
    "job_age": "Just posted",
    "company_job_posting_url": "",
    "company_page_url": "",
    "job_source": "",
    "job_url": "https://www.indeed.com/viewjob?viewtype=embedded&jk=1cc75e8348eff025",
    "job_loc": "Stockton, CA",
    "job_city": "Stockton",
    "job_state": "",
    "job_state_code": "CA",
    "job_country": "United States",
    "job_country_code": "US",
    "job_zip": ""
  },
  {
    "company_name": "Trexquant Investment",
    "li_company_name": "Trexquant Investment",
    "li_company_url": "https://www.indeed.com/cmp/Trexquant-Investment-Lp?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlq4uoqih39800&fromjk=5983cf6b41e1d3cc",
    "company_website": "https://www.indeed.com/cmp/Trexquant-Investment-Lp?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlq4uoqih39800&fromjk=5983cf6b41e1d3cc",
    "job_title": "DevOps Engineer (USA)",
    "job_description": "",
    "employment_type": "",
    "date_job": "",
    "job_age": "2 days ago",
    "company_job_posting_url": "",
    "company_page_url": "",
    "job_source": "",
    "job_url": "https://www.indeed.com/viewjob?viewtype=embedded&jk=5983cf6b41e1d3cc",
    "job_loc": "Stamford, CT",
    "job_city": "Stamford",
    "job_state": "",
    "job_state_code": "CT",
    "job_country": "United States",
    "job_country_code": "US",
    "job_zip": ""
  },
  {
    "company_name": "Optm",
    "li_company_name": "Optm",
    "li_company_url": "https://www.indeed.com/cmp/Optm?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlq4r9hk5p1801&fromjk=b91304e368a11937",
    "company_website": "https://www.indeed.com/cmp/Optm?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlq4r9hk5p1801&fromjk=b91304e368a11937",
    "job_title": "Sr. Front End Developer",
    "job_description": "",
    "employment_type": "",
    "date_job": "",
    "job_age": "Just posted",
    "company_job_posting_url": "",
    "company_page_url": "",
    "job_source": "",
    "job_url": "https://www.indeed.com/viewjob?viewtype=embedded&jk=b91304e368a11937",
    "job_loc": "West Palm Beach, FL",
    "job_city": "West Palm Beach",
    "job_state": "",
    "job_state_code": "FL",
    "job_country": "United States",
    "job_country_code": "US",
    "job_zip": ""
  },
  {
    "company_name": "Booz Allen Hamilton",
    "li_company_name": "Booz Allen Hamilton",
    "li_company_url": "https://www.indeed.com/cmp/Booz-Allen-Hamilton?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlq5f88is21800&fromjk=b8cf57c3d8d72660",
    "company_website": "https://www.indeed.com/cmp/Booz-Allen-Hamilton?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlq5f88is21800&fromjk=b8cf57c3d8d72660",
    "job_title": "Full Stack Software Engineer, Mid",
    "job_description": "",
    "employment_type": "",
    "date_job": "",
    "job_age": "2 days ago",
    "company_job_posting_url": "",
    "company_page_url": "",
    "job_source": "",
    "job_url": "https://www.indeed.com/viewjob?viewtype=embedded&jk=b8cf57c3d8d72660",
    "job_loc": "Camp H M Smith, HI",
    "job_city": "Camp H M Smith",
    "job_state": "",
    "job_state_code": "HI",
    "job_country": "United States",
    "job_country_code": "US",
    "job_zip": ""
  },
  {
    "company_name": "Information Systems Laboratories",
    "li_company_name": "Information Systems Laboratories",
    "li_company_url": "https://www.indeed.com/cmp/Information-Systems-Laboratories?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlq5jf8kc0s800&fromjk=145d7c2cbac814b8",
    "company_website": "https://www.indeed.com/cmp/Information-Systems-Laboratories?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlq5jf8kc0s800&fromjk=145d7c2cbac814b8",
    "job_title": "Entry Level Software Developer",
    "job_description": "",
    "employment_type": "",
    "date_job": "",
    "job_age": "Today",
    "company_job_posting_url": "",
    "company_page_url": "",
    "job_source": "",
    "job_url": "https://www.indeed.com/viewjob?viewtype=embedded&jk=145d7c2cbac814b8",
    "job_loc": "Idaho Falls, ID 83404",
    "job_city": "Idaho Falls",
    "job_state": "",
    "job_state_code": "ID",
    "job_country": "United States",
    "job_country_code": "US",
    "job_zip": 83404
  },
  {
    "company_name": "Productive Resources LLC",
    "li_company_name": "Productive Resources LLC",
    "li_company_url": "https://www.indeed.com/cmp/Productive-Resources?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlq5nlfi7lr801&fromjk=a2b3c112706f89a9",
    "company_website": "https://www.indeed.com/cmp/Productive-Resources?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlq5nlfi7lr801&fromjk=a2b3c112706f89a9",
    "job_title": "Embedded Software Engineer",
    "job_description": "",
    "employment_type": "",
    "date_job": "",
    "job_age": "Just posted",
    "company_job_posting_url": "",
    "company_page_url": "",
    "job_source": "",
    "job_url": "https://www.indeed.com/viewjob?viewtype=embedded&jk=a2b3c112706f89a9",
    "job_loc": "Fort Wayne, IN 46809",
    "job_city": "Fort Wayne",
    "job_state": "",
    "job_state_code": "IN",
    "job_country": "United States",
    "job_country_code": "US",
    "job_zip": 46809
  },
  {
    "company_name": "Bamboo Health",
    "li_company_name": "Bamboo Health",
    "li_company_url": "https://www.indeed.com/cmp/Bamboo-Health?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlq6854ikch800&fromjk=4a1af00c0e3defc2",
    "company_website": "https://www.indeed.com/cmp/Bamboo-Health?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlq6854ikch800&fromjk=4a1af00c0e3defc2",
    "job_title": "Sr. Software Engineer (Ruby)",
    "job_description": "",
    "employment_type": "",
    "date_job": "",
    "job_age": "Today",
    "company_job_posting_url": "",
    "company_page_url": "",
    "job_source": "",
    "job_url": "https://www.indeed.com/viewjob?viewtype=embedded&jk=4a1af00c0e3defc2",
    "job_loc": "Louisville, KY",
    "job_city": "Louisville",
    "job_state": "",
    "job_state_code": "KY",
    "job_country": "United States",
    "job_country_code": "US",
    "job_zip": ""
  },
  {
    "company_name": "Astrion",
    "li_company_name": "Astrion",
    "li_company_url": "",
    "company_website": "",
    "job_title": "Software Engineer",
    "job_description": "",
    "employment_type": "",
    "date_job": "",
    "job_age": "Just posted",
    "company_job_posting_url": "",
    "company_page_url": "",
    "job_source": "",
    "job_url": "https://www.indeed.com/viewjob?viewtype=embedded&jk=d1646ef8cc671298",
    "job_loc": "Bedford, MA 01730",
    "job_city": "Bedford",
    "job_state": "",
    "job_state_code": "MA",
    "job_country": "United States",
    "job_country_code": "US",
    "job_zip": 1730
  },
  {
    "company_name": "WEX Inc.",
    "li_company_name": "WEX Inc.",
    "li_company_url": "https://www.indeed.com/cmp/Wex-Inc.?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlq6oihis21801&fromjk=d492884eeee164ad",
    "company_website": "https://www.indeed.com/cmp/Wex-Inc.?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlq6oihis21801&fromjk=d492884eeee164ad",
    "job_title": "Software Development Engineer 2-2",
    "job_description": "",
    "employment_type": "",
    "date_job": "",
    "job_age": "3 days ago",
    "company_job_posting_url": "",
    "company_page_url": "",
    "job_source": "",
    "job_url": "https://www.indeed.com/viewjob?viewtype=embedded&jk=d492884eeee164ad",
    "job_loc": "Portland, ME 04101",
    "job_city": "Portland",
    "job_state": "",
    "job_state_code": "ME",
    "job_country": "United States",
    "job_country_code": "US",
    "job_zip": 4101
  },
  {
    "company_name": "Teradyne",
    "li_company_name": "Teradyne",
    "li_company_url": "https://www.indeed.com/cmp/Teradyne?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlq7h4rghri801&fromjk=5fd7521b8d508581",
    "company_website": "https://www.indeed.com/cmp/Teradyne?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlq7h4rghri801&fromjk=5fd7521b8d508581",
    "job_title": "Software Engineer",
    "job_description": "",
    "employment_type": "",
    "date_job": "",
    "job_age": "Just posted",
    "company_job_posting_url": "",
    "company_page_url": "",
    "job_source": "",
    "job_url": "https://www.indeed.com/viewjob?viewtype=embedded&jk=5fd7521b8d508581",
    "job_loc": "Fridley, MN",
    "job_city": "Fridley",
    "job_state": "",
    "job_state_code": "MN",
    "job_country": "United States",
    "job_country_code": "US",
    "job_zip": ""
  },
  {
    "company_name": "Siemens Energy",
    "li_company_name": "Siemens Energy",
    "li_company_url": "https://www.indeed.com/cmp/Siemens-Energy?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlq7igch4cl800&fromjk=6a2d748adcf227cd",
    "company_website": "https://www.indeed.com/cmp/Siemens-Energy?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlq7igch4cl800&fromjk=6a2d748adcf227cd",
    "job_title": "Application Engineer & Business Developer",
    "job_description": "",
    "employment_type": "",
    "date_job": "",
    "job_age": "Today",
    "company_job_posting_url": "",
    "company_page_url": "",
    "job_source": "",
    "job_url": "https://www.indeed.com/viewjob?viewtype=embedded&jk=6a2d748adcf227cd",
    "job_loc": "Richland, MS 39218",
    "job_city": "Richland",
    "job_state": "",
    "job_state_code": "MS",
    "job_country": "United States",
    "job_country_code": "US",
    "job_zip": 39218
  },
  {
    "company_name": "Red Hat Software",
    "li_company_name": "Red Hat Software",
    "li_company_url": "https://www.indeed.com/cmp/Red-Hat?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlq7pscgsrn800&fromjk=52352c7629094d17",
    "company_website": "https://www.indeed.com/cmp/Red-Hat?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlq7pscgsrn800&fromjk=52352c7629094d17",
    "job_title": "Manager, Site Reliability Engineering",
    "job_description": "",
    "employment_type": "",
    "date_job": "",
    "job_age": "Just posted",
    "company_job_posting_url": "",
    "company_page_url": "",
    "job_source": "",
    "job_url": "https://www.indeed.com/viewjob?viewtype=embedded&jk=52352c7629094d17",
    "job_loc": "Raleigh, NC 27601",
    "job_city": "Raleigh",
    "job_state": "",
    "job_state_code": "NC",
    "job_country": "United States",
    "job_country_code": "US",
    "job_zip": 27601
  },
  {
    "company_name": "CyncHealth",
    "li_company_name": "CyncHealth",
    "li_company_url": "https://www.indeed.com/cmp/Cynchealth?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlq7tqji7lb801&fromjk=bf0cf330c69dc1e6",
    "company_website": "https://www.indeed.com/cmp/Cynchealth?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlq7tqji7lb801&fromjk=bf0cf330c69dc1e6",
    "job_title": "Full Stack Developer",
    "job_description": "",
    "employment_type": "",
    "date_job": "",
    "job_age": "1 day ago",
    "company_job_posting_url": "",
    "company_page_url": "",
    "job_source": "",
    "job_url": "https://www.indeed.com/viewjob?viewtype=embedded&jk=bf0cf330c69dc1e6",
    "job_loc": "Omaha, NE",
    "job_city": "Omaha",
    "job_state": "",
    "job_state_code": "NE",
    "job_country": "United States",
    "job_country_code": "US",
    "job_zip": ""
  },
  {
    "company_name": "The Cigna Group",
    "li_company_name": "The Cigna Group",
    "li_company_url": "https://www.indeed.com/cmp/The-Cigna-Group?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlq87pfg2ot800&fromjk=51303ca2c87c0f19",
    "company_website": "https://www.indeed.com/cmp/The-Cigna-Group?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlq87pfg2ot800&fromjk=51303ca2c87c0f19",
    "job_title": "Software Engineering Sr Manager - Evernorth Home-Based Care",
    "job_description": "",
    "employment_type": "",
    "date_job": "",
    "job_age": "Just posted",
    "company_job_posting_url": "",
    "company_page_url": "",
    "job_source": "",
    "job_url": "https://www.indeed.com/viewjob?viewtype=embedded&jk=51303ca2c87c0f19",
    "job_loc": "Morris Plains, NJ 07950",
    "job_city": "Morris Plains",
    "job_state": "",
    "job_state_code": "NJ",
    "job_country": "United States",
    "job_country_code": "US",
    "job_zip": 7950
  },
  {
    "company_name": "Four Queens Hotel and Casino",
    "li_company_name": "Four Queens Hotel and Casino",
    "li_company_url": "https://www.indeed.com/cmp/Four-Queens-Hotel-&-Casino?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlq8hr8ii0s804&fromjk=6b8bf93a00a89398",
    "company_website": "https://www.indeed.com/cmp/Four-Queens-Hotel-&-Casino?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlq8hr8ii0s804&fromjk=6b8bf93a00a89398",
    "job_title": "Next Gaming-Gaming Software Eng",
    "job_description": "",
    "employment_type": "",
    "date_job": "",
    "job_age": "Just posted",
    "company_job_posting_url": "",
    "company_page_url": "",
    "job_source": "",
    "job_url": "https://www.indeed.com/viewjob?viewtype=embedded&jk=6b8bf93a00a89398",
    "job_loc": "Las Vegas, NV 89101",
    "job_city": "Las Vegas",
    "job_state": "",
    "job_state_code": "NV",
    "job_country": "United States",
    "job_country_code": "US",
    "job_zip": 89101
  },
  {
    "company_name": "LyondellBasell Industries",
    "li_company_name": "LyondellBasell Industries",
    "li_company_url": "https://www.indeed.com/cmp/Lyondellbasell?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlq8thighre801&fromjk=9c56c371e25e8507",
    "company_website": "https://www.indeed.com/cmp/Lyondellbasell?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlq8thighre801&fromjk=9c56c371e25e8507",
    "job_title": "Product and Applications Development (PAD) Engineer",
    "job_description": "",
    "employment_type": "",
    "date_job": "",
    "job_age": "Just posted",
    "company_job_posting_url": "",
    "company_page_url": "",
    "job_source": "",
    "job_url": "https://www.indeed.com/viewjob?viewtype=embedded&jk=9c56c371e25e8507",
    "job_loc": "Akron, OH 44310",
    "job_city": "Akron",
    "job_state": "",
    "job_state_code": "OH",
    "job_country": "United States",
    "job_country_code": "US",
    "job_zip": 44310
  },
  {
    "company_name": "University of Oregon",
    "li_company_name": "University of Oregon",
    "li_company_url": "https://www.indeed.com/cmp/University-of-Oregon?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlq9nqsjm62805&fromjk=09a64fd5afe79ec2",
    "company_website": "https://www.indeed.com/cmp/University-of-Oregon?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlq9nqsjm62805&fromjk=09a64fd5afe79ec2",
    "job_title": "Business Operations Analyst",
    "job_description": "",
    "employment_type": "",
    "date_job": "",
    "job_age": "Today",
    "company_job_posting_url": "",
    "company_page_url": "",
    "job_source": "",
    "job_url": "https://www.indeed.com/viewjob?viewtype=embedded&jk=09a64fd5afe79ec2",
    "job_loc": "Eugene, OR",
    "job_city": "Eugene",
    "job_state": "",
    "job_state_code": "OR",
    "job_country": "United States",
    "job_country_code": "US",
    "job_zip": ""
  },
  {
    "company_name": "Vista Higher Learning",
    "li_company_name": "Vista Higher Learning",
    "li_company_url": "https://www.indeed.com/cmp/Vista-Higher-Learning-2?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlq9fi2kc2i800&fromjk=a1289e3a7896e829",
    "company_website": "https://www.indeed.com/cmp/Vista-Higher-Learning-2?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlq9fi2kc2i800&fromjk=a1289e3a7896e829",
    "job_title": "Sr. Software Developer/Engineer (Back End)",
    "job_description": "",
    "employment_type": "",
    "date_job": "",
    "job_age": "1 day ago",
    "company_job_posting_url": "",
    "company_page_url": "",
    "job_source": "",
    "job_url": "https://www.indeed.com/viewjob?viewtype=embedded&jk=a1289e3a7896e829",
    "job_loc": "Rhode Island",
    "job_city": "",
    "job_state": "",
    "job_state_code": "RI",
    "job_country": "United States",
    "job_country_code": "US",
    "job_zip": ""
  },
  {
    "company_name": "Phase Technologies",
    "li_company_name": "Phase Technologies",
    "li_company_url": "https://www.indeed.com/cmp/Phase-Technologies?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlq9vo9glr6800&fromjk=523cfb5a9518c092",
    "company_website": "https://www.indeed.com/cmp/Phase-Technologies?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlq9vo9glr6800&fromjk=523cfb5a9518c092",
    "job_title": "Web Developer",
    "job_description": "",
    "employment_type": "",
    "date_job": "",
    "job_age": "Today",
    "company_job_posting_url": "",
    "company_page_url": "",
    "job_source": "",
    "job_url": "https://www.indeed.com/viewjob?viewtype=embedded&jk=523cfb5a9518c092",
    "job_loc": "Rapid City, SD 57701",
    "job_city": "Rapid City",
    "job_state": "",
    "job_state_code": "SD",
    "job_country": "United States",
    "job_country_code": "US",
    "job_zip": 57701
  },
  {
    "company_name": "The Cigna Group",
    "li_company_name": "The Cigna Group",
    "li_company_url": "https://www.indeed.com/cmp/The-Cigna-Group?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlqam64i9jb801&fromjk=1cbf1dc77997e330",
    "company_website": "https://www.indeed.com/cmp/The-Cigna-Group?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlqam64i9jb801&fromjk=1cbf1dc77997e330",
    "job_title": "Application Development Advisor - Hybrid",
    "job_description": "",
    "employment_type": "",
    "date_job": "",
    "job_age": "Just posted",
    "company_job_posting_url": "",
    "company_page_url": "",
    "job_source": "",
    "job_url": "https://www.indeed.com/viewjob?viewtype=embedded&jk=1cbf1dc77997e330",
    "job_loc": "Plano, TX 75093",
    "job_city": "Plano",
    "job_state": "",
    "job_state_code": "TX",
    "job_country": "United States",
    "job_country_code": "US",
    "job_zip": 75093
  },
  {
    "company_name": "E Business International Inc",
    "li_company_name": "E Business International Inc",
    "li_company_url": "https://www.indeed.com/cmp/E-Business-International-Inc?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlqad0eiqvi801&fromjk=eec73780dd45cbeb",
    "company_website": "https://www.indeed.com/cmp/E-Business-International-Inc?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlqad0eiqvi801&fromjk=eec73780dd45cbeb",
    "job_title": "Software Engineer",
    "job_description": "",
    "employment_type": "",
    "date_job": "",
    "job_age": "Just posted",
    "company_job_posting_url": "",
    "company_page_url": "",
    "job_source": "",
    "job_url": "https://www.indeed.com/viewjob?viewtype=embedded&jk=eec73780dd45cbeb",
    "job_loc": "Lynchburg, VA",
    "job_city": "Lynchburg",
    "job_state": "",
    "job_state_code": "VA",
    "job_country": "United States",
    "job_country_code": "US",
    "job_zip": ""
  },
  {
    "company_name": "Microsoft",
    "li_company_name": "Microsoft",
    "li_company_url": "https://www.indeed.com/cmp/Microsoft?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlqan1qi6j9800&fromjk=0fbf5239bc2f8b40",
    "company_website": "https://www.indeed.com/cmp/Microsoft?campaignid=mobvjcmp&from=mobviewjob&tk=1hhlqan1qi6j9800&fromjk=0fbf5239bc2f8b40",
    "job_title": "Software Engineer II",
    "job_description": "",
    "employment_type": "",
    "date_job": "",
    "job_age": "Just posted",
    "company_job_posting_url": "",
    "company_page_url": "",
    "job_source": "",
    "job_url": "https://www.indeed.com/viewjob?viewtype=embedded&jk=0fbf5239bc2f8b40",
    "job_loc": "Redmond, WA 98052",
    "job_city": "Redmond",
    "job_state": "",
    "job_state_code": "WA",
    "job_country": "United States",
    "job_country_code": "US",
    "job_zip": 98052
  }
]
star

Tue Feb 11 2025 05:29:40 GMT+0000 (Coordinated Universal Time)

@erika

star

Tue Feb 11 2025 05:26:37 GMT+0000 (Coordinated Universal Time)

@Rohan@99

star

Tue Feb 11 2025 05:19:35 GMT+0000 (Coordinated Universal Time)

@Rohan@99

star

Tue Feb 11 2025 04:11:51 GMT+0000 (Coordinated Universal Time)

@davidmchale #grouping #reduce #groupby()

star

Tue Feb 11 2025 03:36:13 GMT+0000 (Coordinated Universal Time)

@davidmchale #grouping #reduce

star

Tue Feb 11 2025 01:08:40 GMT+0000 (Coordinated Universal Time)

@emma1314

star

Tue Feb 11 2025 01:08:07 GMT+0000 (Coordinated Universal Time)

@emma1314

star

Mon Feb 10 2025 23:09:34 GMT+0000 (Coordinated Universal Time)

@FOHWellington

star

Mon Feb 10 2025 16:37:31 GMT+0000 (Coordinated Universal Time) https://www.mongodb.com/try/download/community

@TuckSmith541

star

Mon Feb 10 2025 14:17:12 GMT+0000 (Coordinated Universal Time)

@erika

star

Mon Feb 10 2025 13:48:57 GMT+0000 (Coordinated Universal Time)

@erika

star

Mon Feb 10 2025 13:44:58 GMT+0000 (Coordinated Universal Time)

@erika

star

Mon Feb 10 2025 13:25:39 GMT+0000 (Coordinated Universal Time) https://code.yandex-team.ru/a8e372db-beb5-4959-b040-fe59c8fe6a79

@mark522

star

Mon Feb 10 2025 13:05:55 GMT+0000 (Coordinated Universal Time)

@macie3k #apex #salesforce

star

Mon Feb 10 2025 12:56:24 GMT+0000 (Coordinated Universal Time)

@StephenThevar #react.js

star

Mon Feb 10 2025 11:34:49 GMT+0000 (Coordinated Universal Time) undefined

@alexrw

star

Mon Feb 10 2025 11:34:33 GMT+0000 (Coordinated Universal Time)

@alexrw

star

Mon Feb 10 2025 10:22:21 GMT+0000 (Coordinated Universal Time) https://beleaftechnologies.com/centralized-cryptocurrency-exchange-development

@kavyamagi

star

Mon Feb 10 2025 02:49:32 GMT+0000 (Coordinated Universal Time)

@davidmchale

star

Sun Feb 09 2025 23:30:48 GMT+0000 (Coordinated Universal Time)

@davidmchale #styles #div #object

star

Sun Feb 09 2025 22:50:55 GMT+0000 (Coordinated Universal Time)

@yanBraga

star

Sun Feb 09 2025 21:08:38 GMT+0000 (Coordinated Universal Time)

@jjesal

star

Sun Feb 09 2025 20:43:55 GMT+0000 (Coordinated Universal Time)

@FOHWellington

star

Sun Feb 09 2025 10:36:24 GMT+0000 (Coordinated Universal Time)

@erika

star

Sun Feb 09 2025 08:35:48 GMT+0000 (Coordinated Universal Time) https://adultiptv.net/

@edzukation

star

Sun Feb 09 2025 07:46:24 GMT+0000 (Coordinated Universal Time) https://github.com/vercel/ai-chatbot

@TuckSmith541

star

Sun Feb 09 2025 06:24:31 GMT+0000 (Coordinated Universal Time) https://www.google.com/search?q

@alively78 #javascript

star

Sun Feb 09 2025 05:23:32 GMT+0000 (Coordinated Universal Time)

@erika

star

Sun Feb 09 2025 05:19:54 GMT+0000 (Coordinated Universal Time)

@erika

star

Sun Feb 09 2025 05:18:51 GMT+0000 (Coordinated Universal Time) https://dzone.com/articles/ceate-a-login-system-using-html-php-and-mysql

@isaac #undefined

star

Sun Feb 09 2025 05:07:51 GMT+0000 (Coordinated Universal Time)

@erika

star

Sun Feb 09 2025 05:04:43 GMT+0000 (Coordinated Universal Time)

@erika

star

Sun Feb 09 2025 02:17:48 GMT+0000 (Coordinated Universal Time)

@abdoamr

star

Sat Feb 08 2025 22:13:10 GMT+0000 (Coordinated Universal Time)

@Promakers2611

star

Sat Feb 08 2025 22:09:30 GMT+0000 (Coordinated Universal Time)

@kanatov

star

Sat Feb 08 2025 19:41:16 GMT+0000 (Coordinated Universal Time)

@meherbansingh

star

Sat Feb 08 2025 19:20:55 GMT+0000 (Coordinated Universal Time)

@meherbansingh

star

Sat Feb 08 2025 19:13:23 GMT+0000 (Coordinated Universal Time)

@meherbansingh

star

Sat Feb 08 2025 18:52:38 GMT+0000 (Coordinated Universal Time)

@meherbansingh

star

Sat Feb 08 2025 18:43:26 GMT+0000 (Coordinated Universal Time)

@meherbansingh

star

Sat Feb 08 2025 16:12:42 GMT+0000 (Coordinated Universal Time) https://www.thiscodeworks.com/extension/initializing?newuser

@leafaith2009

star

Sat Feb 08 2025 14:03:42 GMT+0000 (Coordinated Universal Time)

@mateusz021202

star

Sat Feb 08 2025 12:11:42 GMT+0000 (Coordinated Universal Time)

@erika

star

Sat Feb 08 2025 11:39:31 GMT+0000 (Coordinated Universal Time)

@erika

star

Sat Feb 08 2025 11:27:08 GMT+0000 (Coordinated Universal Time) https://dkzelenograd.ru/afisha/spektakli/rok-opera-yunona-i-avos

@prorock

star

Sat Feb 08 2025 11:25:32 GMT+0000 (Coordinated Universal Time) https://www.grepsr.com/web-scraping-solution/glassdoor-scraper/

@acassell #json

star

Sat Feb 08 2025 11:25:17 GMT+0000 (Coordinated Universal Time) https://www.grepsr.com/web-scraping-solution/indeed-scraper/

@acassell #json

Save snippets that work with our extensions

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